From a7f37cd1d2646d860c5c5b3072c600120ce77305 Mon Sep 17 00:00:00 2001 From: ahmar siddiqui Date: Wed, 16 Sep 2015 01:08:15 +0530 Subject: [PATCH 001/126] added notes col to the DB --- .../org/glucosio/android/db/DatabaseHandler.java | 6 +++++- .../java/org/glucosio/android/db/GlucoseReading.java | 12 ++++++++++-- .../glucosio/android/presenter/MainPresenter.java | 4 ++-- 3 files changed, 17 insertions(+), 5 deletions(-) diff --git a/app/src/main/java/org/glucosio/android/db/DatabaseHandler.java b/app/src/main/java/org/glucosio/android/db/DatabaseHandler.java index 9d3e716e..a0784693 100644 --- a/app/src/main/java/org/glucosio/android/db/DatabaseHandler.java +++ b/app/src/main/java/org/glucosio/android/db/DatabaseHandler.java @@ -36,6 +36,7 @@ public class DatabaseHandler extends SQLiteOpenHelper { //glucose reading keys private static final String KEY_READING="reading"; + private static final String KEY_NOTES="notes"; private static final String KEY_READING_TYPE="reading_type"; private static final String KEY_USER_ID="user_id"; @@ -58,7 +59,8 @@ public void createTable(SQLiteDatabase db) +KEY_ID+" INTEGER PRIMARY KEY,"+KEY_READING+" TEXT, "+ KEY_READING_TYPE+" INTEGER, "+ KEY_CREATED_AT+" TIMESTAMP DEFAULT (datetime('now','localtime') )," - +KEY_USER_ID+" INTEGER DEFAULT 1 )"; + +KEY_USER_ID+" INTEGER DEFAULT 1," + + KEY_NOTES+" TEXT DEFAULT NULL )"; db.execSQL(CREATE_USER_TABLE); db.execSQL(CREATE_GLUCOSE_READING_TABLE); } @@ -174,6 +176,7 @@ public void addGlucoseReading(GlucoseReading reading) values.put(KEY_READING,reading.get_reading()); values.put(KEY_READING_TYPE, reading.get_reading_type()); values.put(KEY_CREATED_AT, reading.get_created()); + values.put(KEY_NOTES, reading.get_notes()); db.insert(TABLE_GLUCOSE_READING, null, values); } @@ -222,6 +225,7 @@ public List getGlucoseReadingsRecords(String selectQuery) reading.set_reading_type(Integer.parseInt(cursor.getString(2))); reading.set_created(cursor.getString(3)); reading.set_user_id(Integer.parseInt(cursor.getString(4))); + reading.set_notes(cursor.getString(5)); readings.add(reading); }while(cursor.moveToNext()); } diff --git a/app/src/main/java/org/glucosio/android/db/GlucoseReading.java b/app/src/main/java/org/glucosio/android/db/GlucoseReading.java index 7a5476f3..7b80492d 100644 --- a/app/src/main/java/org/glucosio/android/db/GlucoseReading.java +++ b/app/src/main/java/org/glucosio/android/db/GlucoseReading.java @@ -8,6 +8,7 @@ public class GlucoseReading { int _reading; int _id; int _reading_type; + String _notes; int _user_id; String _created; @@ -16,11 +17,18 @@ public GlucoseReading() } - public GlucoseReading(int reading,int reading_type,String created) + public GlucoseReading(int reading,int reading_type,String created,String notes) { this._reading=reading; this._reading_type=reading_type; this._created=created; + this._notes=notes; + } + public String get_notes(){ + return this._notes; + } + public void set_notes(String notes){ + this._notes=notes; } public int get_user_id() { @@ -74,7 +82,7 @@ public String type(int reading_type) return enums[reading_type+1]; } catch(ArrayIndexOutOfBoundsException e){ - return ""; + return "N/A"; } } } diff --git a/app/src/main/java/org/glucosio/android/presenter/MainPresenter.java b/app/src/main/java/org/glucosio/android/presenter/MainPresenter.java index 82cd3ceb..633911bd 100644 --- a/app/src/main/java/org/glucosio/android/presenter/MainPresenter.java +++ b/app/src/main/java/org/glucosio/android/presenter/MainPresenter.java @@ -106,7 +106,7 @@ public void dialogOnAddButtonPressed(String time, String date, String reading, i int finalReading = Integer.parseInt(reading); String finalDateTime = readingYear + "-" + readingMonth + "-" + readingDay + " " + readingHour + ":" + readingMinute; - GlucoseReading gReading = new GlucoseReading(finalReading, type, finalDateTime); + GlucoseReading gReading = new GlucoseReading(finalReading, type, finalDateTime,""); dB.addGlucoseReading(gReading); mainActivity.dismissAddDialog(); } else { @@ -120,7 +120,7 @@ public void dialogOnEditButtonPressed(String time, String date, String reading, String finalDateTime = readingYear + "-" + readingMonth + "-" + readingDay + " " + readingHour + ":" + readingMinute; GlucoseReading gReadingToDelete = dB.getGlucoseReadingById(id); - GlucoseReading gReading = new GlucoseReading(finalReading, type, finalDateTime); + GlucoseReading gReading = new GlucoseReading(finalReading, type, finalDateTime,""); dB.deleteGlucoseReadings(gReadingToDelete); dB.addGlucoseReading(gReading); From 5123d7e544466d7e37fdbd81e0a250e48e96dc2a Mon Sep 17 00:00:00 2001 From: ahmar siddiqui Date: Wed, 16 Sep 2015 01:20:11 +0530 Subject: [PATCH 002/126] added diabetes type and preferred unit to the user model --- .../glucosio/android/db/DatabaseHandler.java | 26 ++++++++++++++++--- .../java/org/glucosio/android/db/User.java | 18 ++++++++++++- 2 files changed, 39 insertions(+), 5 deletions(-) diff --git a/app/src/main/java/org/glucosio/android/db/DatabaseHandler.java b/app/src/main/java/org/glucosio/android/db/DatabaseHandler.java index a0784693..26e52bef 100644 --- a/app/src/main/java/org/glucosio/android/db/DatabaseHandler.java +++ b/app/src/main/java/org/glucosio/android/db/DatabaseHandler.java @@ -33,6 +33,8 @@ public class DatabaseHandler extends SQLiteOpenHelper { private static final String KEY_AGE="age"; private static final String KEY_GENDER="gender"; private static final String KEY_CREATED_AT="created_at"; + private static final String KEY_PREFERRED_UNIT="preferred_unit"; + private static final String KEY_DIABETES_TYPE="diabetes_type"; //glucose reading keys private static final String KEY_READING="reading"; @@ -54,7 +56,9 @@ public void createTable(SQLiteDatabase db) { String CREATE_USER_TABLE="CREATE TABLE "+TABLE_USER+" (" +KEY_ID+" INTEGER PRIMARY KEY,"+KEY_NAME+" TEXT," - +KEY_PREF_LANG+" TEXT,"+KEY_PREF_COUNTRY+" TEXT,"+KEY_AGE+" TEXT,"+KEY_GENDER+" INTEGER )"; + +KEY_PREF_LANG+" TEXT,"+KEY_PREF_COUNTRY+" TEXT,"+KEY_AGE+" TEXT,"+KEY_GENDER+" INTEGER " + + KEY_PREFERRED_UNIT+" DEFAULT 1 " + + KEY_DIABETES_TYPE+" DEFAULT 1 )"; String CREATE_GLUCOSE_READING_TABLE="CREATE TABLE "+TABLE_GLUCOSE_READING+" (" +KEY_ID+" INTEGER PRIMARY KEY,"+KEY_READING+" TEXT, "+ KEY_READING_TYPE+" INTEGER, "+ @@ -93,6 +97,8 @@ public void addUser(User user) values.put(KEY_PREF_COUNTRY,user.get_country()); values.put(KEY_AGE,user.get_age()); values.put(KEY_GENDER, user.get_gender()); + values.put(KEY_DIABETES_TYPE, user.get_d_type()); + values.put(KEY_PREFERRED_UNIT, user.get_preferred_unit()); db.insert(TABLE_USER, null, values); } @@ -101,12 +107,20 @@ public User getUser(int id) //resetTable(); SQLiteDatabase db=this.getReadableDatabase(); - Cursor cursor=db.query(TABLE_USER, new String[]{KEY_ID, KEY_NAME, KEY_PREF_LANG, KEY_PREF_COUNTRY, KEY_AGE, KEY_GENDER}, KEY_ID + "=?", + Cursor cursor=db.query(TABLE_USER, new String[]{KEY_ID, KEY_NAME, KEY_PREF_LANG, + KEY_PREF_COUNTRY, KEY_AGE, KEY_GENDER, + KEY_DIABETES_TYPE,KEY_PREFERRED_UNIT}, KEY_ID + "=?", new String[]{String.valueOf(id)}, null, null, null); if(cursor!=null) { if (cursor.moveToFirst()){ - User user=new User(Integer.parseInt(cursor.getString(0)),cursor.getString(1),cursor.getString(2),cursor.getString(3) - ,Integer.parseInt(cursor.getString(4)),Integer.parseInt(cursor.getString(5))); + User user=new User(Integer.parseInt(cursor.getString(0)), + cursor.getString(1), + cursor.getString(2), + cursor.getString(3), + Integer.parseInt(cursor.getString(4)), + Integer.parseInt(cursor.getString(5)), + Integer.parseInt(cursor.getString(6)), + Integer.parseInt(cursor.getString(7))); return user; @@ -133,6 +147,8 @@ public List getUsers() user.set_country(cursor.getString(3)); user.set_age(Integer.parseInt(cursor.getString(4))); user.set_gender(Integer.parseInt(cursor.getString(5))); + user.set_d_type(Integer.parseInt(cursor.getString(6))); + user.set_preferred_unit(Integer.parseInt(cursor.getString(7))); userLists.add(user); }while(cursor.moveToNext()); } @@ -158,6 +174,8 @@ public int updateUser(User user) values.put(KEY_PREF_COUNTRY,user.get_country()); values.put(KEY_AGE, user.get_age()); values.put(KEY_GENDER, user.get_gender()); + values.put(KEY_DIABETES_TYPE, user.get_d_type()); + values.put(KEY_PREFERRED_UNIT, user.get_preferred_unit()); return db.update(TABLE_USER,values,KEY_ID+" =? ",new String[]{ String.valueOf(user.get_id()) }); } diff --git a/app/src/main/java/org/glucosio/android/db/User.java b/app/src/main/java/org/glucosio/android/db/User.java index 4ff48e65..a43f1910 100644 --- a/app/src/main/java/org/glucosio/android/db/User.java +++ b/app/src/main/java/org/glucosio/android/db/User.java @@ -9,13 +9,15 @@ public class User { String _country; int _age; int _gender; //1 male 2 female 3 others + int _d_type; //diabetes type + int _preferred_unit; // preferred unit public User() { } - public User(int id, String name,String preferred_language, String country, int age,int gender) + public User(int id, String name,String preferred_language, String country, int age,int gender,int dType,int pUnit) { this._id=id; this._name=name; @@ -23,8 +25,22 @@ public User(int id, String name,String preferred_language, String country, int a this._country=country; this._age=age; this._gender=gender; + this._d_type=dType; + this._preferred_unit=pUnit; } + public int get_d_type(){ + return this._d_type; + } + public void set_d_type(int dType){ + this._d_type=dType; + } + public int get_preferred_unit(){ + return this._preferred_unit; + } + public void set_preferred_unit(int pUnit){ + this._preferred_unit=pUnit; + } public int get_id() { return this._id; From d58fac8e242ea8ba1d0be04551887a2590d0e85b Mon Sep 17 00:00:00 2001 From: ahmar siddiqui Date: Wed, 16 Sep 2015 01:36:23 +0530 Subject: [PATCH 003/126] added glucose readings by a specific month --- .../main/java/org/glucosio/android/db/DatabaseHandler.java | 7 ++++++- 1 file changed, 6 insertions(+), 1 deletion(-) diff --git a/app/src/main/java/org/glucosio/android/db/DatabaseHandler.java b/app/src/main/java/org/glucosio/android/db/DatabaseHandler.java index 26e52bef..8da10765 100644 --- a/app/src/main/java/org/glucosio/android/db/DatabaseHandler.java +++ b/app/src/main/java/org/glucosio/android/db/DatabaseHandler.java @@ -198,7 +198,7 @@ public void addGlucoseReading(GlucoseReading reading) db.insert(TABLE_GLUCOSE_READING, null, values); } - public void getGlucoseReading() + public void getGlucoseReading(String s) { } @@ -312,7 +312,12 @@ public ArrayList getGlucoseDateTimeAsArray(){ public GlucoseReading getGlucoseReadingById(int id){ return getGlucoseReadings("id = " + id).get(0); } + public List getGlucoseReadingsByMonth(int month){ + String m=Integer.toString(month); + m=String.format("%02d",m); + return getGlucoseReadings(" strftime('%m',created)='"+m+"'"); + } private ArrayList getGlucoseReadingsForLastMonthAsArray(){ SQLiteDatabase db=this.getReadableDatabase(); From b6db418eaff07b85d4b38816ed25b62e3065ecf1 Mon Sep 17 00:00:00 2001 From: Paolo Rotolo Date: Wed, 16 Sep 2015 21:19:00 +0200 Subject: [PATCH 004/126] Fix typo in database. Update User constructor in HelloActivity. --- .../org/glucosio/android/activity/HelloActivity.java | 2 +- .../java/org/glucosio/android/db/DatabaseHandler.java | 6 +++--- .../org/glucosio/android/presenter/HelloPresenter.java | 9 ++++++--- 3 files changed, 10 insertions(+), 7 deletions(-) diff --git a/app/src/main/java/org/glucosio/android/activity/HelloActivity.java b/app/src/main/java/org/glucosio/android/activity/HelloActivity.java index 40270d8b..1c1889a5 100644 --- a/app/src/main/java/org/glucosio/android/activity/HelloActivity.java +++ b/app/src/main/java/org/glucosio/android/activity/HelloActivity.java @@ -86,7 +86,7 @@ public void onCheckedChanged(CompoundButton buttonView, boolean isChecked) { public void onNextClicked(View v){ presenter.onNextClicked(ageTextView.getText().toString(), - genderSpinner.getSpinner().getSelectedItemPosition(), languageSpinner.getSpinner().getSelectedItem().toString()); + genderSpinner.getSpinner().getSelectedItemPosition(), languageSpinner.getSpinner().getSelectedItem().toString(), typeSpinner.getSpinner().getSelectedItemPosition()+1, unitSpinner.getSpinner().getSelectedItemPosition()); } public void showEULA(){ diff --git a/app/src/main/java/org/glucosio/android/db/DatabaseHandler.java b/app/src/main/java/org/glucosio/android/db/DatabaseHandler.java index 8da10765..981b733e 100644 --- a/app/src/main/java/org/glucosio/android/db/DatabaseHandler.java +++ b/app/src/main/java/org/glucosio/android/db/DatabaseHandler.java @@ -56,9 +56,9 @@ public void createTable(SQLiteDatabase db) { String CREATE_USER_TABLE="CREATE TABLE "+TABLE_USER+" (" +KEY_ID+" INTEGER PRIMARY KEY,"+KEY_NAME+" TEXT," - +KEY_PREF_LANG+" TEXT,"+KEY_PREF_COUNTRY+" TEXT,"+KEY_AGE+" TEXT,"+KEY_GENDER+" INTEGER " + - KEY_PREFERRED_UNIT+" DEFAULT 1 " + - KEY_DIABETES_TYPE+" DEFAULT 1 )"; + +KEY_PREF_LANG+" TEXT,"+KEY_PREF_COUNTRY+" TEXT,"+KEY_AGE+" TEXT,"+KEY_GENDER+" INTEGER," + + KEY_PREFERRED_UNIT+" INTEGER," + + KEY_DIABETES_TYPE+" INTEGER )"; String CREATE_GLUCOSE_READING_TABLE="CREATE TABLE "+TABLE_GLUCOSE_READING+" (" +KEY_ID+" INTEGER PRIMARY KEY,"+KEY_READING+" TEXT, "+ KEY_READING_TYPE+" INTEGER, "+ diff --git a/app/src/main/java/org/glucosio/android/presenter/HelloPresenter.java b/app/src/main/java/org/glucosio/android/presenter/HelloPresenter.java index 35f536d2..a8822c4f 100644 --- a/app/src/main/java/org/glucosio/android/presenter/HelloPresenter.java +++ b/app/src/main/java/org/glucosio/android/presenter/HelloPresenter.java @@ -18,6 +18,8 @@ public class HelloPresenter { String name; String country; int gender; + int diabetesType; + int unitMeasurement; String language; public HelloPresenter(HelloActivity helloActivity) { @@ -30,12 +32,13 @@ public void loadDatabase(){ name = "Test Account"; //TODO: add input for name in Tips; } - public void onNextClicked(String age, int gender, String language){ + public void onNextClicked(String age, int gender, String language, int type, int unit){ if (validateAge(age)){ this.age = Integer.parseInt(age); this.gender = gender; this.language = language; - + this.diabetesType = type; + this.unitMeasurement = unit; showEULA(); } else { helloActivity.displayErrorMessage(); @@ -58,7 +61,7 @@ private void showEULA(){ } public void saveToDatabase(){ - dB.addUser(new User(id, name, language, country, age, gender)); + dB.addUser(new User(id, name, language, country, age, gender, diabetesType, unitMeasurement)); helloActivity.closeHelloActivity(); } } From 4bba206b2bd93074e99e0b70e92b7b9bc8309858 Mon Sep 17 00:00:00 2001 From: Paolo Rotolo Date: Wed, 16 Sep 2015 21:35:55 +0200 Subject: [PATCH 005/126] Fixed buttons in HelloActivity. --- app/src/main/res/layout/activity_hello.xml | 11 ++++++----- 1 file changed, 6 insertions(+), 5 deletions(-) diff --git a/app/src/main/res/layout/activity_hello.xml b/app/src/main/res/layout/activity_hello.xml index adfa3ea7..fe8727a7 100644 --- a/app/src/main/res/layout/activity_hello.xml +++ b/app/src/main/res/layout/activity_hello.xml @@ -108,9 +108,10 @@ android:layout_width="wrap_content" android:layout_height="wrap_content" android:text="@string/helloactivity_button_next" - android:layout_marginTop="32dp" + android:padding="8dp" + android:background="?android:attr/selectableItemBackground" + android:layout_marginTop="24dp" android:onClick="onNextClicked" - android:background="@null" android:textColor="@color/glucosio_pink" android:layout_gravity="right"/> @@ -160,10 +161,10 @@ android:layout_height="wrap_content" android:enabled="false" android:text="@string/helloactivity_button_start" - android:layout_marginTop="32dp" + android:layout_marginTop="24dp" android:onClick="onStartClicked" - android:background="@null" - android:textColor="@color/glucosio_pink" + android:padding="8dp" + android:background="?android:attr/selectableItemBackground" android:textColor="@color/glucosio_pink" android:layout_gravity="right"/> From 74f95647788b4fee7b00f26966b4b60a11bd6d4e Mon Sep 17 00:00:00 2001 From: Paolo Rotolo Date: Wed, 16 Sep 2015 22:20:08 +0200 Subject: [PATCH 006/126] Add arrow next to buttons in HelloActivity. --- .../glucosio/android/activity/HelloActivity.java | 9 ++++++++- .../drawable-hdpi/ic_navigate_next_grey_24px.png | Bin 0 -> 429 bytes .../drawable-hdpi/ic_navigate_next_pink_24px.png | Bin 0 -> 444 bytes .../drawable-mdpi/ic_navigate_next_grey_24px.png | Bin 0 -> 295 bytes .../drawable-mdpi/ic_navigate_next_pink_24px.png | Bin 0 -> 316 bytes .../ic_navigate_next_grey_24px.png | Bin 0 -> 483 bytes .../ic_navigate_next_pink_24px.png | Bin 0 -> 504 bytes .../ic_navigate_next_grey_24px.png | Bin 0 -> 898 bytes .../ic_navigate_next_pink_24px.png | Bin 0 -> 929 bytes .../ic_navigate_next_grey_24px.png | Bin 0 -> 1070 bytes .../ic_navigate_next_pink_24px.png | Bin 0 -> 1095 bytes app/src/main/res/layout/activity_hello.xml | 4 ++++ 12 files changed, 12 insertions(+), 1 deletion(-) create mode 100644 app/src/main/res/drawable-hdpi/ic_navigate_next_grey_24px.png create mode 100644 app/src/main/res/drawable-hdpi/ic_navigate_next_pink_24px.png create mode 100644 app/src/main/res/drawable-mdpi/ic_navigate_next_grey_24px.png create mode 100644 app/src/main/res/drawable-mdpi/ic_navigate_next_pink_24px.png create mode 100644 app/src/main/res/drawable-xhdpi/ic_navigate_next_grey_24px.png create mode 100644 app/src/main/res/drawable-xhdpi/ic_navigate_next_pink_24px.png create mode 100644 app/src/main/res/drawable-xxhdpi/ic_navigate_next_grey_24px.png create mode 100644 app/src/main/res/drawable-xxhdpi/ic_navigate_next_pink_24px.png create mode 100644 app/src/main/res/drawable-xxxhdpi/ic_navigate_next_grey_24px.png create mode 100644 app/src/main/res/drawable-xxxhdpi/ic_navigate_next_pink_24px.png diff --git a/app/src/main/java/org/glucosio/android/activity/HelloActivity.java b/app/src/main/java/org/glucosio/android/activity/HelloActivity.java index 1c1889a5..aebe188b 100644 --- a/app/src/main/java/org/glucosio/android/activity/HelloActivity.java +++ b/app/src/main/java/org/glucosio/android/activity/HelloActivity.java @@ -3,6 +3,7 @@ import android.animation.Animator; import android.animation.AnimatorListenerAdapter; import android.content.Intent; +import android.graphics.drawable.Drawable; import android.support.design.widget.TextInputLayout; import android.support.v7.app.AppCompatActivity; import android.os.Bundle; @@ -69,13 +70,19 @@ protected void onCreate(Bundle savedInstanceState) { typeSpinner.setItemsArray(R.array.helloactivity_diabetes_type); termsTextView.setMovementMethod(new ScrollingMovementMethod()); + final Drawable greyArrow = getApplicationContext().getResources().getDrawable( R.drawable.ic_navigate_next_grey_24px ); + greyArrow.setBounds(0, 0, 60, 60); + final Drawable pinkArrow = getApplicationContext().getResources().getDrawable( R.drawable.ic_navigate_next_pink_24px ); + pinkArrow.setBounds(0, 0, 60, 60); EULACheckbox.setOnCheckedChangeListener(new CompoundButton.OnCheckedChangeListener() { @Override public void onCheckedChanged(CompoundButton buttonView, boolean isChecked) { if (isChecked) { startButton.setEnabled(true); + startButton.setCompoundDrawables(null, null, pinkArrow, null); } else { startButton.setEnabled(false); + startButton.setCompoundDrawables(null, null, greyArrow, null); } } } @@ -86,7 +93,7 @@ public void onCheckedChanged(CompoundButton buttonView, boolean isChecked) { public void onNextClicked(View v){ presenter.onNextClicked(ageTextView.getText().toString(), - genderSpinner.getSpinner().getSelectedItemPosition(), languageSpinner.getSpinner().getSelectedItem().toString(), typeSpinner.getSpinner().getSelectedItemPosition()+1, unitSpinner.getSpinner().getSelectedItemPosition()); + genderSpinner.getSpinner().getSelectedItemPosition(), languageSpinner.getSpinner().getSelectedItem().toString(), typeSpinner.getSpinner().getSelectedItemPosition() + 1, unitSpinner.getSpinner().getSelectedItemPosition()); } public void showEULA(){ diff --git a/app/src/main/res/drawable-hdpi/ic_navigate_next_grey_24px.png b/app/src/main/res/drawable-hdpi/ic_navigate_next_grey_24px.png new file mode 100644 index 0000000000000000000000000000000000000000..d94bfacb724a23dbf840a4e7d0a7803cc579e01d GIT binary patch literal 429 zcmV;e0aE^nP)N^$0!rs3%S&sP;;wL{p;L324uk_Gn5}I|1$aqW7qCZeWaY z*4oizGI`Sm{>~Q#W#)YVR{&N4JQC5cEX$W=U}K>bfb0+KnTQ5uSw3lFqo5v>W!VW4 zodG`u4iUY2Y*7>sn%HQl$Bf70BN4d(U<2;m7_(Cp#l03*1?n-(JPP}D#s7=QhluRW zX0tmDtQs_6haxg3qP2kg1aMeY)jSrf3JusT05<^E1MUmJaaC29F<5n|$2jLUjWM?X zHUdsWNg4QL}v^^!-G_kt=Dbc!wnzpAznpAe(|2lhC$?aKVk z!Gknb2^wMsMQ;~G`@nC36Oc8kIJZall2~PEh3Ah9>6XQNWyqWK|!*5DW6dFpN%l?uz!WDqo zST-caw$p2!sYu14QL@Y4B3X0|U@pcnnD_F%b~7vX|3bCcdM$n?Ev_dmE_^MXP;H8m z!1Y!MbTRQ|UR0128)de*&NenCws6k+%4C^0mX|3DBx#O;CMA@%-z1tgv83@P(WHdZ m_M1f0CYChbB$|{^+Ws#rPKhfE%;Io7QXL9DD~AeFIzo@4%&`-4tjvu&Sye z&+|9nJcQ7h*|ntYSZFkG2(Ih;B+IfF;0pKv7Ls1aKt}Ss|NR*l7=Hd|_#Z2|yJIyemXc&4$l(9RX{;}Vgy%9cFvK!2F#Kg;_@5!MyJHTq zmXd5C*wTgurk6*5PGn$U$N_N~{xeib>}l^H#?rxWAzg!%u8D^3+2Vz3#U=&@Mqj#R z{Fg2jN(_ul^BEZ!^665v5tHPJQA1X?AjV)^YDO)jB=oTA9Su^d2Ppt~vt=D?rG8%k O0000!^cB+kfM* zs2y!@jvPA1KJ8|s21nRTPh}5>4JSmz1zii6AFVFX7RyuFZfZ0^iN$34>6z_^cfOtb z$N2vL^K&W%jQ$5cs}VTxf8GWa4NkRp4L%o-Fwc^mr(%&E_=s2KAPT3HDQlLS?)1~v zO22Y$f2)(_U6+4DSm$)nVht|#Ql|>fjK;}~%T#^GDql}}SKUe>EQ%Rl+6R(u+z5V^Kb;H|$%cdF+HmH>|)c7cN zzF3ue+q>_S*6mhZv{^@f?woAqC%r+hw4Zg)n$BX`UnUb3 zw@TyqfgL6+6HcFuu$q*h^L*#8sVqC^^ek28JXSPsb-X8r#AoK68vT}ntFl4S$>8bg K=d#Wzp$Pyk3eal+ literal 0 HcmV?d00001 diff --git a/app/src/main/res/drawable-xhdpi/ic_navigate_next_pink_24px.png b/app/src/main/res/drawable-xhdpi/ic_navigate_next_pink_24px.png new file mode 100644 index 0000000000000000000000000000000000000000..462859aa428fa3861bf6568be92fd97f6c23ae1f GIT binary patch literal 504 zcmeAS@N?(olHy`uVBq!ia0vp^79h;Q1|(OsS<5jnFz)wsaSX|Demi5Y7qg>C>-pZP zV%JVG|Bw+YY_^Yh#_Qs^VY7ksga(1PE=Lr8Fg=P-oVn#0r%p{v&ZUUiN$Y!-M2M9* z@7Qe2XP%pO{!IC~Gjrvg9@ulu;ph5sU-%k}spEOs3!1Mg9a;}xX5rTTw5L(+1u|!c zhr^whA(I|{VVkn=`Y-Xlt|m+N3Hnc%eRk=`=TZDeelrBA*%fhW^38DhD0`rKCd(YB zQ_N7NVn}ybn7) kIEJ6|{<@kILt-D}v^kqB#U-1?fHBJ8>FVdQ&MBb@0RHvh&Hw-a literal 0 HcmV?d00001 diff --git a/app/src/main/res/drawable-xxhdpi/ic_navigate_next_grey_24px.png b/app/src/main/res/drawable-xxhdpi/ic_navigate_next_grey_24px.png new file mode 100644 index 0000000000000000000000000000000000000000..4527dbefe3a3fc9b57824deefdd71fb8029b3036 GIT binary patch literal 898 zcmeAS@N?(olHy`uVBq!ia0vp^At21b1|(&&1r9PWFnfBsIEGZjy}f0hA>t^(`oX+9 zBU!bp^iuSV$c$uhA=OqEWic_s%+MP*4c>wdAXY-%Wyk@gBmWqfL3Hf6ynrc;GE8je$0r#!w9(4@t!aeU)KmQb;PzGP=qjkaA2 zuH7nTsF{|Uof^qE<+#P=9oM9@*6w9^Alneku&?_>QfR1s`l3tUyb$YO|5#1wsHRQak(b7YBTSHuJ8X&pLw;k zV8Jzq@UXC|;^Ja|h8&Zg$KnmC@BgN^Zak;5$n=82E{`jBcdeZ3kSki!VP$V0-+5wg z8&@gY*3t`#Nr58#E>G%&R~bHARs8O<&$D-m{F8VxEdFy`xz7-`_q#m5<-L{lI+_=x zw(2YOGo&QD?Pq@wwQ9x5MmCr1x3LV-2X2TreeW?epIf|sdE8D;{s}5CII^x@xKhjT z`rhy9!hMyicB^woExyMjur9Q}H_(I6H1onQ^RI0kdor9%kKHLd$NJ;i_9u?Yfk!2Z z&s&CX)4j!cLGa3RhQ5ABZ>Fur3m6U0e@;z4qs^dxY#~#{i@o`~9A{*8a;`daTk^sp zjYIQ=m+x_7%sR8I{+CLf{o#no`57$F?DS_VWoNJb`@VIrVcKC!@msTxOv`b8{rl&! z=<`<$CeQs;W3kBM=9;an4aa@^-@Bx2UA1b%pE-A?U76Bfc|b?$dhk)7tW)j@?}|88 zlAPM6`s-bCbvXLwQ0fzjr6+2Y41X?iUXmVRUd5#lv!nlZ8AHso)fN*M{jK}|=-|PF z(G1J~f1D^Q7`bBAtL&5*qupDpZccgrvohHyB3a&5w&O&QxZ&g-IjaKiGg}D9?RfjO z%6sXd%V>(utqv6=g+Vl8EK$8@=#PN*_ zQ8miBU-+8yFi7Q>N!Ox_#aC~pKDOLus`s^RUFzp>ksk~XcpBbMSohE8=gITiv?Si? zgkF#kKG4Lp{QH^A$mSLHF|+=rS)AYIx|D5K)!qW#jxTrZ&ip#U`a_g8FkXGpGPbDG z&*B**azo}ygeo-Oo%(3{wyUQT+*dZf`cQEF*0I*g4nLJMkGC^8+fKcd-n?_0s*>r2 ziZZxDc6&<9U*_NOxs$0 zWNrnsl>Gn16%7BJ3?^w#7wfmUKdt_Z_J!OlD?J-U7+HAJ_H!Q8jSt+*+$)&9^APh2 zyW4iEwgtCC4&L1mQ+4~(DbtWVLV|Em;d-OR(-z;BxSF!Ef+XYS4;eml$Te?UXf zr?!vw|1^q(0g2}u%PT3%uJ!oI@WIEBGpP79dz7(8A5 KT-G@yGywnxY^A0E literal 0 HcmV?d00001 diff --git a/app/src/main/res/drawable-xxxhdpi/ic_navigate_next_grey_24px.png b/app/src/main/res/drawable-xxxhdpi/ic_navigate_next_grey_24px.png new file mode 100644 index 0000000000000000000000000000000000000000..6a1bf19f9d6b47502ee4494b3067b5b8071e1cb8 GIT binary patch literal 1070 zcmeAS@N?(olHy`uVBq!ia0vp^1t8491|*L?_~OmL!2H$I#WAEJ?(H1kY~e(a*885$ zJ#U?k&TZlrkJadCsy{e2I((NvjC97YiJ1rcb4n(ju@`XZ+FBAQxZ3{A(n~Y7^_Q9O zY`rtnwd#DW|26SvPi%_c&9y%1Ble@QOrbf<|6?P=L4PJD6^8=$15b?`SvcM??5I(j zz;IBOVfuL%A%z{x4?fLwU}7m}h_Ms)Xn4Taa5|ldQ{WC`!A~Cr#wKe9z4@FZYA*Q5 zmy@3#uYI~G+~r&Mq92%p0cd*;Ot0s9WT=Cd+}jbLYN3e*F0Ftxv8h{u7)y zeWj`((}Qc*uElXYT)8Myb-D{jL*=~tq7&CEZCceZBSc7%!7W2DDKzxHGskvOfytgq zJO?;(Yinz_-hL}**tvYUfyjYro+W#e4lw3SbUC?6XTFbGujqb$hqqT+H>^~>sCr<^q!(fjVubje zIrv4HeFV}MWjEyB(!7;x{+&Vj2r!s7-+o*7dBzbHhHainIY0}(Y+dvHK&?u8#z7|e1P3f}wl>63H|>wVh;Hs_`9&VA_Gqx7v?Yv#e=^@1KJtv_DK zWs<&kr)}@jXF>_x+c=Fszq)%`_CUy_=bKuWO|dCwkXGxrf1&rvE2wzRkLg_khxi36 z7p!RCn_&5R_rdcAuFRj^z;@%q`fuwdvD-6C+r4>|_H1W_@{B#fJq5a357h}EC;THw|*{*=4hBbd-nWII@RkUE={i7B9+w}5gonz*6Xi! z-6tLwE2tTMPPpE2Fri@O{rB~M&cAk>lM!!`HZ(Yg8O2M|@et j5%7NMNv}aE{D-^S=UGEiT1phK9ANNt^>bP0l+XkKAv4|8 literal 0 HcmV?d00001 diff --git a/app/src/main/res/drawable-xxxhdpi/ic_navigate_next_pink_24px.png b/app/src/main/res/drawable-xxxhdpi/ic_navigate_next_pink_24px.png new file mode 100644 index 0000000000000000000000000000000000000000..ffcec52cdc47f6a341e6a3287e03683523e89f2a GIT binary patch literal 1095 zcmeAS@N?(olHy`uVBq!ia0vp^1t8491|*L?_~OmLz{2P0;uum9_jb4ia6_QZ5nmC{?4_*-xj#G$DaUOwjOF%U}OBE+3g) zHx@f@3cu&&Q*p!~zx(W*o$6l?SXb9or@h%UIlXUDt{A5{JJ| z4EwxR*8BHr7On*IO6`ZO9XIbnVa>|-%xg~$=u@_lt-ae0xg-dWHVEn{Fp5XcCw$1{^b?SysMVaLi%sU^K^R4$(-M_Hb%kW6dSr>7J-JWYq z``Ue`O{rcqd*%za1ip`#BmQPgOZ66dx1bHn8(&tN$a zH)+Q9%URjK8W(+im%+)Hms>wYVAj>A&;H6TUA&`0h{1dN1%X+IpR>s+>HK)dIBl=> zVdoyDZ-2F39@5_I#-N&i*LgdqPGzz5w`sGy8&Yql)g?I2tUUVeDPMxt$>N(%!Cv#M z8&oGBuYd9FwaUt!e*Y$Sg|6JgskB`5>jw5|Ywe`}@c8`Q$(hlhTA%e^tMY^Kh9`&h z^3vvYn>L-ieSqV-legOWzn?z`FaYV?+js7`B{EF&kCW23ZD5%3Yt@FkdEAU2URONM z6xq2j;?m^GEmB#%KPnSnIaGgtpRSacB;Db8#^#3Uqq|d29<0rF-u%Dvu1C?yX0Hdk zZpbHp{j05bMtstXy3mICjkE0?6gz8f&V7`SuujE4$vS1TV%t%X`~7S?*=PM0lN4mx z=qB;;)Dj*hlTKItE{3mhGuNm%Opf@nh$GFVdQ I&MBb@0BqIh0RR91 literal 0 HcmV?d00001 diff --git a/app/src/main/res/layout/activity_hello.xml b/app/src/main/res/layout/activity_hello.xml index fe8727a7..c8a51fa9 100644 --- a/app/src/main/res/layout/activity_hello.xml +++ b/app/src/main/res/layout/activity_hello.xml @@ -108,6 +108,8 @@ android:layout_width="wrap_content" android:layout_height="wrap_content" android:text="@string/helloactivity_button_next" + android:drawableEnd="@drawable/ic_navigate_next_pink_24px" + android:drawableRight="@drawable/ic_navigate_next_pink_24px" android:padding="8dp" android:background="?android:attr/selectableItemBackground" android:layout_marginTop="24dp" @@ -164,6 +166,8 @@ android:layout_marginTop="24dp" android:onClick="onStartClicked" android:padding="8dp" + android:drawableEnd="@drawable/ic_navigate_next_grey_24px" + android:drawableRight="@drawable/ic_navigate_next_grey_24px" android:background="?android:attr/selectableItemBackground" android:textColor="@color/glucosio_pink" android:layout_gravity="right"/> From ef7058f8e0f0d28b827eb9ea7c0e72098306acc2 Mon Sep 17 00:00:00 2001 From: Paolo Rotolo Date: Thu, 17 Sep 2015 21:56:22 +0200 Subject: [PATCH 007/126] Add Wordmark in Action Bar. Closes #45. --- .../glucosio/android/activity/MainActivity.java | 2 ++ app/src/main/res/drawable-hdpi/ic_logo.png | Bin 0 -> 2020 bytes app/src/main/res/drawable-mdpi/ic_logo.png | Bin 0 -> 1355 bytes app/src/main/res/drawable-xhdpi/ic_logo.png | Bin 0 -> 2924 bytes app/src/main/res/drawable-xxhdpi/ic_logo.png | Bin 0 -> 3657 bytes app/src/main/res/drawable-xxxhdpi/ic_logo.png | Bin 0 -> 5695 bytes 6 files changed, 2 insertions(+) create mode 100644 app/src/main/res/drawable-hdpi/ic_logo.png create mode 100644 app/src/main/res/drawable-mdpi/ic_logo.png create mode 100644 app/src/main/res/drawable-xhdpi/ic_logo.png create mode 100644 app/src/main/res/drawable-xxhdpi/ic_logo.png create mode 100644 app/src/main/res/drawable-xxxhdpi/ic_logo.png diff --git a/app/src/main/java/org/glucosio/android/activity/MainActivity.java b/app/src/main/java/org/glucosio/android/activity/MainActivity.java index 1084bb0f..096dc18f 100644 --- a/app/src/main/java/org/glucosio/android/activity/MainActivity.java +++ b/app/src/main/java/org/glucosio/android/activity/MainActivity.java @@ -66,6 +66,8 @@ protected void onCreate(Bundle savedInstanceState) { setSupportActionBar(toolbar); getSupportActionBar().setDisplayHomeAsUpEnabled(false); getSupportActionBar().setElevation(0); + getSupportActionBar().setTitle(""); + getSupportActionBar().setLogo(R.drawable.ic_logo); } homePagerAdapter = new HomePagerAdapter(getSupportFragmentManager(), getApplicationContext()); diff --git a/app/src/main/res/drawable-hdpi/ic_logo.png b/app/src/main/res/drawable-hdpi/ic_logo.png new file mode 100644 index 0000000000000000000000000000000000000000..bd164d831f9e68f3376ecd168f59d21434c29f45 GIT binary patch literal 2020 zcmVDGZUn|Zx#Rm02y>e zSad^gZEa<4bO1wgWnpw>WFU8GbZ8()Nlj2!fese{00&G-L_t(&-tC%uj8)YY#((QF zJZ1)pgCioS_@H8yVii$K1R~aoh>avAYHAgAEQ-}ciO&*EYSU+$Ui zJpf5Rk+dqfo|E()dXbu|{*rE!^tz;FlCIdB`m0KOv3z@RenZNQ%--D+mr zdu>$_Mh3>kH`8Ij-ZikK0`PO-x4`h6@-;v;(AsOKitz@}2n_T4Rlw?=aM70lzt7mU z?LZ+~Z2*s&+3sFDRR%L#E@>w4BcKC#*335VRRc>p1Gpz)-1Wc$U?uRW8+a&i3@`y0 z1^lbmO#io$mjTOqLU)zB=BwTJhxiB3U}hgCl$?k-qmN)kSUQM{WLDsV;BVN7BzEtx;+0_EKa-Bs);j97(G)WH(E? zOVWWQ`Z-?GB1vCn=xCO-P|`tx+>FF`j!5V?FF)Us)LBA*lcf74jSOA%3}A4eYZq{b znXTK8YRPI~o@f8n8BGg7lkccd_8wq1U>UN*ft!J2B>lq7wgo!I0#A8HoP`7YYVPLv zs(?Aboj?|!PzPKGOp$b%nXRY-eh@W!2UxtHg|X?tO;OU=0sPx*_7R>pQ~@tXN#Vsn zLuA~Yp2@a)7zsVb3}AzohDBF9H8O5H@PxbN!OjUx^c?4TGwbN)_$GUGQyV<{3Rnkh z1x9;mRm2$JSCTHMie3P$H?y{2_0)MxDP(luH8cBsAMM@(a6x3;7T`9I)h#}TvB2rT zl1TR2NOmP~qsPl#Zk*pZAyGtw8}RL5cN6KDQ=CUheSzbFNfmCMiz4GT`GS7Z%yvjR z61V}lDj3UDU>ff8L;N8oJ|wj(8{_s>43>1Xq{gVty^<`);uw_}%N2=s6D74p?dAsW z?~dMmA?Z4I|K<9S8G|L&`$!uAo4ED`L zyA{4GLmU@{weWkj9@m#hx+;}4bpziAj)?5@_e80c>ifxs1PfKOpBebjXpuI0$&gnz z#D9RziOJguY>XZc3w}Qjyc)gl=Pvm{;1x;pBn_)zd?UPEE225km#<6B=>G76*Lfih ziS8SL`+?v2wdmXC0m{6O-C!H=MNZuV5^P<2iMFk!zH4Tm0ha?0dx93@NY8+u@r=7W zs7~~8X9nB2$7U_KdkJx(q@#n*e`IDio7r45n+yE;TQ>0EGVi}i7_B;|?zV*NfD&zM zvL@3Bq1m3%KLC7`&@lnHPtu@njK4L}$C|tgwg4vdq^UI>6fT+w1nx@gwn=X2yx0^i;<}7Ei9^7ag40_Yq8D={ zo!i3(jcdW9;z{%Ze@YoW>!Vd(3!GOfi}d(HlOkG`a&g|wHk#S3zFD@0 z^srNmd9em~FSzdmob4rEJg!sYa;@Me7cmDs6nIF|4U*~uC4GSd_mY7>OYEMRMZ@^F zuJkN23#<9xv(sywkO(K>07?d9l`0{_vk3 zw|EZFvBu1l)j$jO>_4&(p__h8@|yq zyLE2d*PI9lbxfw~jJb$UfO*cg#NRv0W9?)o9_0F81^#Ge8zoJn>mMiObX5a0fpgp~ z*83uE0Y2~ve$?YyDghho@$Hm=VA$$0eu*<=+Y@q!IafWwIp=!1&Y?TJzw3aPf#+h* zUeb79=%EY0-ORR@=;N_&z|%ck*7*1~_&5F%j_dS!u literal 0 HcmV?d00001 diff --git a/app/src/main/res/drawable-mdpi/ic_logo.png b/app/src/main/res/drawable-mdpi/ic_logo.png new file mode 100644 index 0000000000000000000000000000000000000000..c44be99256b098b5e602ac6501ba727181955fc8 GIT binary patch literal 1355 zcmV-R1+@B!P)DGb@a~*N6ZB02y>e zSad^gZEa<4bO1wgWnpw>WFU8GbZ8()Nlj2!fese{00gs1L_t(o!`+x`h*eb-$A9b2 zXo=69veA?z%{0r>FfFpM(h^Ihv`i%I^+mGBm%bQ;2B9dLnM6=2Cix*oO6;LR2~MV% z4Ead0NykTF+N6|O>dgH6@;|gW-8()Dbiw7Wv)0<{?7jAS9>{^Df~0Pe21~j_Qa?#; zipWiuROjC~E>Ms(Qc{hijgkhR>H6|SQA=Pf@HlWA(9WzzV7H_-z^sVaX?g{4wei+m zxbP5gv+}^MNJ6eTne^%7C80MBq{`KKKea3LFO3ovjB>1)c!{5U>&W z!ip<_A;4Z>%SC9wg}|3UV?^vdV*@(wU$F52<^fY9;#d;it$~V&&}rn9F+eXrz84X{ zB)o}07vOi`orpM@@Y(_o0)v3dEb|?(I!PNyYUi*U2($$b0@c805pg`Xmr7tXa1+o5 zIAWcvB4U@t?gDPL{OX9P$?3QScmU`QGyvOxs)*Q^3Czh+jNV1kDiw$2iCiy9>x#%UN%}xi`$V>{r0peiZp+RoX;wm?oUCslX_};? zMb_6!8k*(6LCF~xMa0qnxeAs8bAe$d{Q+zRGS6LQxiVn33mo>Qt-xQ7p2vV!C1sKH zG|=1l7GSCK-3egRX`FKc@UjbJ6YxFoqj^1m#gclL1KqN-05#rhdvBWb)F1ne{35qJ?;E9rGfSDs=|oq?9d_vFI84mf1|ssgaz4*~QszSqrVUts2WG**iu zw6X+mJWV}Kc}L3kwyvhbfw!D50XhKB18+zwoWr{^TA=`JN|+BzDvOAd5m6Trb-=IZ zV6c|C_M@_h%#j4|+KjHBOL#4AjWVdukcik35tE%~-vzQZXN;Yr6dXt*ud4@*^j()5 zKU4rd0pW`@1wM9^taO*q9~cExN!n(a0f~{Tjn9_U0r=W`YL%Sj7_g_* z0V1M7QkCTkzye8k+i>G8)&MNdZn{F!3Y{8GrwaFX)yu0018d1^@s6U{l7800006VoOIv0RI60 z0RN!9r;`8x010qNS#tmY3ljhU3ljkVnw%H_000McNliru-w6>DGz}5*#IgVY02y>e zSad^gZEa<4bO1wgWnpw>WFU8GbZ8()Nlj2!fese{01DJeL_t(|+U=Wrke|~T$3M?+ zH=EnKghUd#k()#$LflIz+Ckig7G+HJqFO^~lVECerY+M-O_c=ggsLd2b!jvurILzE zf`|x76tU!fl_0m>WcS-Y-sd-d-kkHh?Izi<-6@tOk|>i_NUQ z0J(O+k-&bb_SaijVW%)(d*D~Vw{n_K1}cDG>{JGn)E4+Ea5gXu=m+c;cy$9%15B6n z3@~L!d_65_5)1-P4DiK?l5RG$%{!a{CGF{7#F@ZRz@7!@vOUcWiSz#>*v@2ylrMncf`Pz&V22F8-SA{@2&7j{u`J9EH|?T@7uvAKG2QX z-oV{Oc*8AdK2os31;!2+8d(W=EO1ujosWQ@0)NdiU25`cfwjOJk{$-SnAx%>3={MK z`UZZQYi29+^cx6tNj0wr-Y~PeBF1e43LsEqyT1RU-Hpr<<(TYR21PJ51-t%&rm0uJ_mxma#y^GjIUp}xLePHQW$ z9C#O)VP*?rolVm13S*S6d$UQ>Y)Q9C8ZOBq^x8{0Ptrt5Ya+C^NSY&QoTL*ZWs2CxZjweznjvX} z;`mh3Ym&xF8X>7V&A`4d>AkwMh&gnW^kYd+N?H*af2*YVl5UYSC`6>cq<12lGRD<2 zJCOmejx6k(1;)8I&}X)!&UyOmCuzK-%_<)Cl71FqKuL#5dfY$cVzElnbsmF_&GSS_ zGbJ^sG|cy`M=q_-zAtIqn`eBJbd;pYc|On(-j#Hfq&;#~@Nl==LhkwPX14LmULy__^EN_l6`iFq$MWP%5TJRbgou2K>p@ekte+ zi~(Bt-jD%?L_#jlo7v(o3G*57L*TSL%vTSDY{wUXw*&Nk0325!q7ZY`+5)2`9TE8L zhzQ-Sz#G6*z<>Pjjj8!hX@b3~2CgZJCS63h5?5GPX?T`V}Q#7^wxVcVX`|274GO<;ErG}1_EOwU1VlUa@q%zWS-Kv z9~fn3ALT?R2KzjZ0rv258;dg{4r?v&kgsp0hv*IkE_6pO_rvb#O!&QQkwFMc0^Hvn z_%_8AF??udf8IqH@Fcda&cQw1%gyZ7blgl*g){EL)E-rkq$9fr=sg5nX=b%KZPO$@ z2Rs4npL+i|SK$xlw8d=lMOo&{iB3#&`gZ{Pn%U|m*sHI(6iZ_gaD|y|$Z4A@=_z0L zkktEM2M(`{d`+8yPXg`Tfa_gF6vBUjU4;RM2HG}~WC&(PVrTV)D|q&g#8cM+6H?5V zrS+DiM}bkPpE9m;a~W_$WDOTcdJC9jW}8y<>qxRwja9!LBev%z;QkczWyhW;Da3&L z0H1au< zw!?PyiNs{*=zNeV(Qn-R+T}oYs8VMNlT^_J^(@`Z2JOx z<^2DuA9x7WZhJls+%M^TNqaTnUUiL_0CPzK>M_&+q2xrLjH`w;T2p!z%&v+qsRPbp zMVa(EMA{44U#oz{k+4k19F?|=q);@UO6?4s?~cjSlCE|2*;vHZwxocjSRGk^*Gl(T zwo%=_h%{CL<2{a(#h$?FgbP)71yn`MkWFRMi#ceu1^U%R-f6?OrEL>kTHXvCorh*C zx7mgQy(Nt_v-OSGtJabBjb*N_Z6)x29$O}DP}TrfrEI7H?&dc)1}wH7Q6(}`A=Kw# zhJ2`qjJegH+;b4{yrhePOFT4kV4g85JbE#Yq};At)aLn!3w@NqwPk=;B6i^MlJ?$3 z9gE6bwN(J0M84n-We&ftMD>-$UJ?$G+zWPq34NKE5!;JjwcXYKR+){Sr+j)<-IQJ}r2S9z3*Wf7^`qd-wdH@2F+J? zy|RZ?FX=%KgY-(#`wq}r(mfu_tMECGbP1WpJAN*?IE^IM_b)$>X=WC(`vyiNYGaFq zpCQScryY-Tfi;rGxk=ZSq(Xi)Nug>Q(}5|KzG<5zjdisXQeD*~3FtH3V6XEDw4rgA zmx{q$lB`6Csm>y~*SgT>Gr%QRsd$bg}zfnpnG+hG#k9YI1`v>sRgNrNP4l1Gm)e^Nx${6QtJyh0(Sy8<#nti^^^2#FZ(W~ocv=+FL_z}1x+OZy5?u<@0Ar8pfgE5+Hm)XJGoAm8{Zq;s9o+h%`D&* zGh0`H=6BgP|N6X{JyBpjRc?fzHbPAs@jamwfFO-h*nAQm3 zD?Uy)x8LgB&Z_aXP6l2trea1?U*H=avgqaO7fFtEflHI8in&qfD*spyeGDQgZQ9N4 zusWaPVv@pzslcq*O+b%sTuM^(kc*ifTP!pe^F2D1&#re=`(CZ|wY>~H=9l0DG&k4&9RL6T02y>e zSad^gZEa<4bO1wgWnpw>WFU8GbZ8()Nlj2!fese{01dH8L_t(|+U=ctu+>!+$3N?U zpdcWqgv2Y9(2yR2rD7?RDIud~S@tyTITcY;Q%%pQ=`p>49@xVyHO0~_lgh9(ODzNf zQATaS57wysOex zrGo*D0hR*KZ$cj)GP7GtGAhwoFths!%GlMw?lwQQ0xN(iX12a7_Pu8n<{bds1sv9- zK3rFlP>C+U#5V#rMjjXm>^8HRi!t+K-SsXoE93q3Hc79N)XQ1_NJ$q+S`hEPmu2ioqTnQiRi>(?i)-%x@nwQpR%R$vXV z(#)RB#K4jamETFa*+Rx1FYZ>bNG;l$p*i09*_F6IhcPyQJ3vpG{PKalJGv=}6$^aU5qj%HIvl1s1rJXOf0GMdm${&hEtB zt6>p3dXw!=)G;e#zbC=&K>h)UuZalTCV!s*b)y_U$V`lS9LAEKI)l}ed zf_bA+oCLhs+3pPB5rThvy%+>s58Pdg_-f!sz^&vHZ1Y0kAHW-$yndsBwZIpE9`y>U z!21c_ic@Ma@JAh$Jwe*(yF@;VKNI*(ydzl-RXz#KceFbj_$G4$`c00T#*sO#-yq;7N$-6I1IPQ-I7cNvHnVLddlkO;Zw0vw07FyDP7$=>=E=gxc#%nJI_l_2Y*=;nR z=Ox;GLk3OuKuJB?Zvc|caMtl)qA%MM-(Q*d-X!&j8u0Z|i+h}7{c_PlOWNY7r$y39 z?VX<_^^kP9q@~WeoJbVap68&^#VO*WL2ap-UGXeGeXkm38?Nbw-Kdw<@-Lv@wmek)l zO&`vg=w9Fq_Z;S|?^BNYmUd(xcAUWLB^_M=^EGq=OX}%7eP=rRbF_m-_evU3!RLKd z=B_Fh&vBGl3Czy9-KmZ;KQ^9xD{%9c6CL>JI5Z%DF>cqKkyL4@kM#4j}mdR>KpHX8ID` z4A)AU5q-3~0t2V;$Ba3quXL0-)yu#KmpoP|Ug0S7_X65YSs->t?PwM(bDSI}cko-5 z=(N5BliPYpf0i_`6W4Eoqs;P*b$a~fkF5Zk90hxoJXR=NVSGW;4xfAaHpdC)j?R4a_Wf z{XHW8AsOrRD42IufQOwGPAmDeV`V~v-+La->Qg|!cNDS5kmnk6Yysm;X-0e2adN!C zQ6}^K*37m>ciY2(GYRpwS;Xnr7Dz8k9A!pktkWZLt=)f2dtP0eB(d zGcIHy=m`ak^HB%k56@U<$|+?ZA=^fMJF8i%nJqB03BdUT|7#CkS|Giwbd;HxvCa{W zGWYFg;G3P5el5#ug54OSGL$_zhxY#JC^Nm@98(RnYgz7(G4Ip~j(hii^60#o-4Ge` z>YUd!D?BEm(=#g5-smW^s1he)opUD}1}yAieyCZoo3uvv1WzufnCkQ+IrM3@qs%zM zYmS*9sZwLT7C7eOtufNbgBhevDx1mCw?0Nly^C~Aa*v`2DyD%=#T*azZibSc3%uJ= z^scs=u2b>(JdXs{NqTWNW#Ce2fjrg)v z%yqQYgLG1uVHTqgtVAS5?PiS9+>O^z}jm(nFpdF|ehZxEX!3LWnXzpJ{RqCOBQo}11XsTu@&5-$ChwPF z0?e^c^Bi}Bp{Zopk}k!UJWcTgTSRaRxv@?8BY{^Ek`knpe4jM4uXfPxdw}n!?yzQddxEacCnP`c=qetFw6!I!-B3bM zOK-=w>wvLUljlpC>3FI! zu=8<&jgq!zXnRks)H-=4c6TPoXaud2{&#JwR5=N6BP7AD*Yl;z!^}3sT|F*#} zACK*CZSp*>CnSr!GskM*QB7%DNp-}`rT}NrfcH!dtRZ-Ty{40xcmW|8{E<37Ukyw% zvv0Q%%m1BIzt$0=ab`BSlkX!WS%oZ-8?82#zEp^k~` z(pd+@Db#J*n#T;Be<5=pbSQXd+`x~g_Vb>bfTaYlzAMaZOPy^_jFQny2|2qw?+YoO_R9!Q zi(ZrEonT29M24@0i|Tz+H^wAi7{@g!F{T{^-}u|(JT9%dQ8cp4#7C=6j63!Sg7f=! zg2`n^JlU3;*$TP|A~R1WxJZs{bK2es{JC0g_XtKBHjUt zZjz@&-N-P4nQ#*!@A4uu`$s|J9U5tDY;3o!t$9^EwHKP%>TX11W8+n281US7>vwx} bOmX4AR%6q311s{A00000NkvXXu0mjfjQR~% literal 0 HcmV?d00001 diff --git a/app/src/main/res/drawable-xxxhdpi/ic_logo.png b/app/src/main/res/drawable-xxxhdpi/ic_logo.png new file mode 100644 index 0000000000000000000000000000000000000000..e1eb7b05ea3bde2229ffb682392020c42f0883c2 GIT binary patch literal 5695 zcmV-F7QpF=P)DH5n2!A&vk502y>e zSad^gZEa<4bO1wgWnpw>WFU8GbZ8()Nlj2!fese{02QZ6L_t(|+U=crl-*U4$3NBG zS(=yyvakd?WC0ZjOHc$gIO-f%W)6bL5k(MXh{$0yDvJo> zfU<)G5+EuNmh3xOIt#sg=Z{;@v~8#RSMUAa>zD4|_ndc zqgG%Lu9Nd6{aMncZtI~#(mF|hl61PH#$vRx4{C#?CP_mi4V5&^e?$D&RP6yR1Ym&z zeXfzuW?UO9B+VEo-`$k+AT|Pf0xkX<@4s=tPCzp-!Y^L~v;&)gjgl4uOMsQYBH(#5 zYcE){K!K_Yze&Kk8806Xd;vJM5P;hTa4K*L@J?U?Fw%d+fQF2Z=>WC>n}ChLQb~6K zzX2X7gkgaKRl}jc&VlPslr+-JHVjGuD9M1`fWv{011ID_OQUOtBYc;c3>@jZ%?e3B z0)9?%#;!H9&Vp|X6vzc*fgyqGhr6XWf6xg)NfTV#I}Lc9YkAei1mFVTqrm;ZrNEs9 z-xes43mS<>gft9<4-b8Wq$AxVy#zR_M#8WAPIVISa>26&3gm`0KwIGY4&cRs@Zp&> zKuP1>)cvyW7X66_fO`v`El?mg%mvo5?SQf`+%^#Wf0;Bu7k*a)U#tV+*A9HC@c$Jk zkSm@BuF81r65yhN^5IQ=2)~IWU)w%)V)H*v@&OhoP#`CmS%;*r0j~f)4Gi7Rr5i}T z_yJ>qHT5F=rUF+3udEYV+ksi6Fqr}c3gjyU+a#S2+(-&%+s6eWz-r(z;HPG`Xdr!e z({_a45a2t&>vI-hrQqid(oy>O!2L^ry9@KTK!K_W!FH05{Q*f0zD6;#0jqR0^&tEj zfNudOR`A?TQc&|Vz|Fv|z&tZs-|bxnOe6(j9t*q?nC2?@5dQvX{!!nB3KS?%ePP%+ z7_6gJtW;OsZ-@)wxrid8lD3!!zE3ZG*i;el7?0AtfCk~fdU2kG=Wb9jwT)zz6rS8 z%+AkI1>XY9^WP*MC?>uVP)Jt^i1snmq8hDle`xtj& ztO2$H3;j0-coJAf%J*)qhF0%xoKa58e!yY=XA8-(zl-zi22$~jKa+f4j{~cK4QAF> zL;l&x$8tB|wQQ@$w}*ena8l8b^-k|gzAhdG{^H-#3T$?(D*FCLQj$T|NRLh3-B~$} z!w?^boq>aa86=n3Bp-vFeGE1N%h~1@o9kn;!OS|!5`aDlpCg_g_cHKR;Jbr(Bbnuk zKMS4&-d4f8K1d2h$chtzCvp@l(}A~;^0W^HcJF23O!7Yu@A7Y*z*1-2$0R)r+-YVT za}p$ny9?zA;2^Rk`IqLSwCO%1>G#0xdC=7hz0-i>UFn$N;}uzda^d%a3xUTZ%>f=Z zv$cWe>;cRs`=R7@z`y4>4#R;r1IPIMy~+iDUnp5>>ztqNlXM4gPj~~9^x-m1-;44v zd8@p`R@DTSG&k_Vyl71;^ zsTc696l)~iA?d^_@Z&H^7fAZ6q*mpJt&)~|;nJDDA!MOvijP}XT#?s?D(QGh4?7=p zbEE z8W;s!4*ZX#1N-s;zBcGshg22joYSBFFUiS@VrEe;58|kp1+QOvK zeN#6`I?K#%Dq}ob+*drUhSRthxW3LBpuZ$F-aKEIzdoqEWNv-fAxW&x=QizHHi*w!VYpT)v<^c}|uKyw_ zYp6f44{)Um;j9=3yocIWQ+m;bO}z-e7T{X?ueQKs;9HV*%R>NOTgZq3tNk583UR1q zvDLW|QJD>w%{lea;T+ zXHwons%HN;H2Llnad0mJil*TMQ}~S{Ii{PVw~_);pYnye(%mGl07jGYy-VE!y9=%b zSv3_u^!Py;pSH!{^A}Q}^Gl?_+FeM2-20INfg@(w8-ce=x+#O{ep2AM9i-kj-v{pZ zgn+JNFv014E$|xu`@Z~r39GfF7{-n|VXbMv>1AlZn@K_HfAu+A&$dAJsczbi2t2O= z_`IZ>&FqDe0F3TTFE}9u1|Fu9oW@cA%tNFC8jk|Yy84~m|Fx@cvitb+Pb3B1n!8i_ z)NEYaI>Uu&1S_1j-vQ5c4QzJWb^{Is&LI`#$ciz*2Y~-0Wt8-W0|U=p41Ctimi6?X zX12n==`Q!*PbCF>zY}xH&bF^*d$eFykdMopzuIAk&@gr_gsGcWw@3BMlb-$KeP zdJ_1lpN!8WRbEl;4>J$2ddf?N7RolzvwrU-S30$R-5*0{B=opV#|ITq)`50Mj1enod?MbHO|> zaL?CV!+du}x|&@BIU~oZI6%_wX0|kXqnSNRs_0x#_;7I3S_RD9p7878n^#FX8@S2c z0c4!FlO;XXXturNIbCf*gi{+=59ncf<>b}h-bSk589oy3Yq3@6pD><-}J-aZGBbui8c{xARTJlOA5DnyO%-R(J+-*+lyN&2;AP_ zLNF^&?gi`{6@W(nx5g}xKlTc`Le`Pe&}xMl#Nz&*aBZSo+~AviR=i5m&|d!kR>~_c zKbBPfY!-00r1$&5;*NqAVkx$_RNzi&BSj%(Enn6M9MnLn=NH+Tb}Hn>fWsbazZGIn zm{a3Z_-I9&xs_Tz%8Tu&~%mncLlVQ?rUzOkHIY9SxFa4I=G(AV-GRfo9wBI z8-1KA!J^PGTw={kvYTK#k2 za!GIQL;LJ67%5;mE7k_Ix9wpmDR?@w=H5U$p^6B=QGpbo0y_pq5erqAUt{{BrMQ;m z@XnP%0XVuBjk0tqomXyd1F4|Ehe>gmzmc?Wo$*uy*{X4uusR0;7zxn>7}r1wP>o3S z3FIHvQlNh^l9+F|))hv^2CvT}Oe$&_HTGdvcaSQ=T$RH@@46nFN%6LiO8SPR$#ue0 z7PJ;sri-8}wi5H*j%p(1ZbmTP2R(~AzmAm4mn9Io)Uc*N|1fI=tLyxG@}Msg+&wgl zQeb9VC7nac-1utF{5}FW4|t2D&zsrr>OcdGeBb6AHrCBS0XVvelpx+lb|28*ZZfUT zFyXUZMekeuOZNb;FJ#dUf%ZD5uhw-cjf~EI&w{yB(oG~k-a$FiF@#j9W|pK=&FqhZ zj4vCan|Xt)jf(>J>_IHJu|U3ojDBvvM_c@xy zkla+4c=eqALMO3uTsskqMCb{_h!x1~XmEeY^MRX&6N}0(kT0sS`LqSKrdkK(MukHj zKI$<+jW}$+nb~?XyBc^ODG&QsIgZ&3`nR8UG;6Gp%43Y13FaL)u&w4+WC47@n-~|U zJzA>p%uU36Uc1-$o1^hzlX7@x3w7fj~*=&`W-C}0%B=y9-o)pMkiL1d#dCG6; zM-6aQ(5k3(V;vLJB9}IJ>dBKqX+4QSGuB35= zSPEl^q;gOH_Mtj~=&OPPa7K;CESlF_(ZPbG(WLaitXNMhZm=&Q*zOfkE+pj{pHso} zr<1C_*A!kc>cxO-Un0Gto3Zs;<& z8-dG+Ib4l&DtVivav5$QAd*fvl+=@8ctAJ|A$4o3W}4G4g4gc_obCRya)n;Aq&G;q z#m)QPa39&7>J6l@l0$;@j3)IdiBvp#z|0o(@!Z|=Dp=ro#rISDbi{IK?F4QN%9Bq> znh~70T}g#hvsy=;q|#YyyYIR;l1_xn(N2B@Tp{VmK`02H30{AERx?Y|PNYWQXI1$d z?jjZs+5mhA_|K>ilr&t@39iZ9NZ$oT0iN}RpEX=-EO5P~qcYOe1e{Oyejt#-R4&SJ z-G2k$m2^x_Yoj?p<5v2&i1AINFuRB;d$FV`8Ru<0@Eu|$)3yRPdsD1`c;LTEYE$`W zmvoP$GhH(GM*O~#PM374q~(Ek%nmNNlY`%Ia`5>ll{r>3d(#XgjhFN@AJcMiXy7|8 zD)Sw4B^{jM`J*JAA!)v(&Th{*GQ<7vm$W5F+d4^S_VL__&a+Y6D`{*7x*zIt&-0Ql zkW_Xyjil=XG|rRM(#P|rNLm_r<`qGD&n#nXS4%oR1Kkgn@$5MzmrGB((N9P%3y&ys zei}(Ry{`v4BrPYM1hx9kHN<^1qZv5GRi7uFqDK!mE&@)GbTcU@yEI070*3)_r?zQl zH0DC3k7wMJE{*dc zq=rz@ao+4}Wo_`jNx(OOuX#(yyM4@-lPb`x2R3%?XX098sTuf(NbO6rVhQ<_2cyDy z`v@@~_AaDWrSpK_x<7G^%Z-Vo1HpeHo;}h^>N?liqX0Cs^^!gS{L&e=5;QV6a)%eY zQ#C38hjiI2I$br7<}>Dr`EIg&tPC24cKMcS`II(G`Z(#pW_>1px}>X4l1=p;qE z+}-sBJu%t>-!ZSF|6+)C7?{~wNxvc909;9_pLtUOCgb4!E`s=1h`iks8~d+K(IjL%`)-+a>fy$eqB)iJfo`X8e>` z`@?e4?ix^Am6-J@QgiKfbv)KL0zdAjcP|IdG_(12&W~GwPn+4=dLYJ4`j5If+|dst ztOPDJvuC<%9or+glT@AJy}(n2eCu<9SGei8xyrBlA?Z|jMHSz118^~Q+JN4h7JUi0 zx*s&ZZ;;$W^^8vPEy17Xyqyc&L2YX`E+n06{Glhat2cr>&Fnr>kJ3L7ta&yFh2WjQ z7pf!#+euYIW|ErzJXhu2`XVKq;R4C z@C>hdo3|H$Gk`zVNS-|F8vC6+`D?RQv3(kNhfD8A`bmZDs>;^0MtU{rlrK-_Yxn1# zXJ%VTX*~0)%&0HBruk9eaboFyQLHAG>sz9+4frzfDW|boxC3~%nSH;`_uy5)6~HNG zwy<7_G_zHt2!}7afT{*IkUH_bH@Efxl1$P#kL!6>wL`0Dv{?hxUX`lCF`|Qb|z_=gZwCeZ}Mc^1|~T zr#iZlyk|-0NLp0oHS(~eqa+P0gTAW90rv9VMoH5oUFmB)FFfJxLi_I1QUUS9T`N2d zIDi!MHInjA=C+W+0a{5FFIJM$pY8&F?|G2r()w1?iFQ_;VP?1HFu@an&$tU=JSm2$ zFRiR9<2fhtbEkbZEmju?yVq{ zWP4-&Z=_u1J)I}B(zwybektkn^e67O%7d=az{#XclUK7XMsipg>#)r=oR>(MTUU`X z8#>FRZ4z)B*&{x#F|+f?5t0rBK1&Lt8s}@JDI-s9au>y)ecrCmIu@2A(@i4nX)$N9HRA=N0H-~zrh-(5GgRu_0H z{o9@c9y7B=R1uzOaftKd6z9!xPG7V8_15{=uOO9fdYTj{{gk^JszFz&wd}rKc%j7? ze5okth#t(j4Q}GD@G*Q5_$#RtS4V|3HIoAGvuclvJX)X{<1>L&)@riz*2FI3(%eOM ltaF}v&iQIS@J!S{`~MD6#>7KZSNQ+{002ovPDHLkV1ju@1f>7~ literal 0 HcmV?d00001 From 98f52587841341f42aca217ff94dfd6ec3b38fed Mon Sep 17 00:00:00 2001 From: Paolo Rotolo Date: Sat, 19 Sep 2015 19:15:53 +0200 Subject: [PATCH 008/126] Start working on Preferences. Convert Gender from int to string. --- app/src/main/AndroidManifest.xml | 4 ++ .../android/activity/HelloActivity.java | 2 +- .../android/activity/MainActivity.java | 8 ++++ .../android/activity/PreferencesActivity.java | 48 +++++++++++++++++++ .../glucosio/android/db/DatabaseHandler.java | 6 +-- .../java/org/glucosio/android/db/User.java | 8 ++-- .../android/presenter/HelloPresenter.java | 4 +- .../android/tools/InputFilterMinMax.java | 33 +++++++++++++ app/src/main/res/values/strings.xml | 6 ++- app/src/main/res/xml/preferences.xml | 33 +++++++++++++ 10 files changed, 140 insertions(+), 12 deletions(-) create mode 100644 app/src/main/java/org/glucosio/android/activity/PreferencesActivity.java create mode 100644 app/src/main/java/org/glucosio/android/tools/InputFilterMinMax.java create mode 100644 app/src/main/res/xml/preferences.xml diff --git a/app/src/main/AndroidManifest.xml b/app/src/main/AndroidManifest.xml index be5062a4..f36fb57a 100644 --- a/app/src/main/AndroidManifest.xml +++ b/app/src/main/AndroidManifest.xml @@ -28,6 +28,10 @@ android:name=".activity.GittyActivity" android:theme="@style/GittyTheme"> + + diff --git a/app/src/main/java/org/glucosio/android/activity/HelloActivity.java b/app/src/main/java/org/glucosio/android/activity/HelloActivity.java index aebe188b..8e7bc590 100644 --- a/app/src/main/java/org/glucosio/android/activity/HelloActivity.java +++ b/app/src/main/java/org/glucosio/android/activity/HelloActivity.java @@ -93,7 +93,7 @@ public void onCheckedChanged(CompoundButton buttonView, boolean isChecked) { public void onNextClicked(View v){ presenter.onNextClicked(ageTextView.getText().toString(), - genderSpinner.getSpinner().getSelectedItemPosition(), languageSpinner.getSpinner().getSelectedItem().toString(), typeSpinner.getSpinner().getSelectedItemPosition() + 1, unitSpinner.getSpinner().getSelectedItemPosition()); + genderSpinner.getSpinner().getSelectedItem().toString(), languageSpinner.getSpinner().getSelectedItem().toString(), typeSpinner.getSpinner().getSelectedItemPosition() + 1, unitSpinner.getSpinner().getSelectedItemPosition()); } public void showEULA(){ diff --git a/app/src/main/java/org/glucosio/android/activity/MainActivity.java b/app/src/main/java/org/glucosio/android/activity/MainActivity.java index 096dc18f..f8b4732b 100644 --- a/app/src/main/java/org/glucosio/android/activity/MainActivity.java +++ b/app/src/main/java/org/glucosio/android/activity/MainActivity.java @@ -122,6 +122,12 @@ public void startGittyReporter() { finish(); } + public void openPreferences() { + Intent intent = new Intent(this, PreferencesActivity.class); + startActivity(intent); + finish(); + } + public void onFabClicked(View v){ addDialog = new Dialog(MainActivity.this, R.style.GlucosioTheme); @@ -381,9 +387,11 @@ public boolean onOptionsItemSelected(MenuItem item) { //noinspection SimplifiableIfStatement if (id == R.id.action_settings) { + openPreferences(); return true; } else if (id == R.id.action_feedback) { startGittyReporter(); + return true; } return super.onOptionsItemSelected(item); diff --git a/app/src/main/java/org/glucosio/android/activity/PreferencesActivity.java b/app/src/main/java/org/glucosio/android/activity/PreferencesActivity.java new file mode 100644 index 00000000..881654cd --- /dev/null +++ b/app/src/main/java/org/glucosio/android/activity/PreferencesActivity.java @@ -0,0 +1,48 @@ +package org.glucosio.android.activity; + +import android.os.Bundle; +import android.preference.EditTextPreference; +import android.preference.ListPreference; +import android.preference.PreferenceActivity; +import android.preference.PreferenceFragment; +import android.text.InputFilter; +import android.widget.EditText; + +import org.glucosio.android.R; +import org.glucosio.android.db.DatabaseHandler; +import org.glucosio.android.tools.InputFilterMinMax; + +import java.util.List; + +public class PreferencesActivity extends PreferenceActivity { + + @Override + protected void onCreate(Bundle savedInstanceState) { + super.onCreate(savedInstanceState); + getFragmentManager().beginTransaction().replace(android.R.id.content, new MyPreferenceFragment()).commit(); + } + + public static class MyPreferenceFragment extends PreferenceFragment + { + @Override + public void onCreate(final Bundle savedInstanceState) + { + super.onCreate(savedInstanceState); + addPreferencesFromResource(R.xml.preferences); + + DatabaseHandler dB = new DatabaseHandler(super.getActivity().getApplicationContext()); + EditTextPreference agePref = (EditTextPreference) findPreference("pref_age"); + ListPreference genderPref = (ListPreference) findPreference("pref_gender"); + ListPreference diabetesTypePref = (ListPreference) findPreference("pref_diabetes_type"); + ListPreference unitPref = (ListPreference) findPreference("pref_unit"); + + EditText ageEditText = agePref.getEditText(); + ageEditText.setFilters(new InputFilter[]{ new InputFilterMinMax(1, 110) }); + agePref.setSummary(dB.getUser(1).get_age() + ""); + genderPref.setSummary(dB.getUser(1).get_gender() + ""); + diabetesTypePref.setSummary(dB.getUser(1).get_d_type() + ""); + unitPref.setSummary(dB.getUser(1).get_preferred_unit() + ""); + } + } + +} \ No newline at end of file diff --git a/app/src/main/java/org/glucosio/android/db/DatabaseHandler.java b/app/src/main/java/org/glucosio/android/db/DatabaseHandler.java index 981b733e..d2ede9ed 100644 --- a/app/src/main/java/org/glucosio/android/db/DatabaseHandler.java +++ b/app/src/main/java/org/glucosio/android/db/DatabaseHandler.java @@ -56,7 +56,7 @@ public void createTable(SQLiteDatabase db) { String CREATE_USER_TABLE="CREATE TABLE "+TABLE_USER+" (" +KEY_ID+" INTEGER PRIMARY KEY,"+KEY_NAME+" TEXT," - +KEY_PREF_LANG+" TEXT,"+KEY_PREF_COUNTRY+" TEXT,"+KEY_AGE+" TEXT,"+KEY_GENDER+" INTEGER," + + +KEY_PREF_LANG+" TEXT,"+KEY_PREF_COUNTRY+" TEXT,"+KEY_AGE+" TEXT,"+KEY_GENDER+" TEXT," + KEY_PREFERRED_UNIT+" INTEGER," + KEY_DIABETES_TYPE+" INTEGER )"; String CREATE_GLUCOSE_READING_TABLE="CREATE TABLE "+TABLE_GLUCOSE_READING+" (" @@ -118,7 +118,7 @@ public User getUser(int id) cursor.getString(2), cursor.getString(3), Integer.parseInt(cursor.getString(4)), - Integer.parseInt(cursor.getString(5)), + cursor.getString(5), Integer.parseInt(cursor.getString(6)), Integer.parseInt(cursor.getString(7))); @@ -146,7 +146,7 @@ public List getUsers() user.set_preferredLanguage(cursor.getString(2)); user.set_country(cursor.getString(3)); user.set_age(Integer.parseInt(cursor.getString(4))); - user.set_gender(Integer.parseInt(cursor.getString(5))); + user.set_gender(cursor.getString(5)); user.set_d_type(Integer.parseInt(cursor.getString(6))); user.set_preferred_unit(Integer.parseInt(cursor.getString(7))); userLists.add(user); diff --git a/app/src/main/java/org/glucosio/android/db/User.java b/app/src/main/java/org/glucosio/android/db/User.java index a43f1910..9cd1f972 100644 --- a/app/src/main/java/org/glucosio/android/db/User.java +++ b/app/src/main/java/org/glucosio/android/db/User.java @@ -8,7 +8,7 @@ public class User { String _preferred_language; String _country; int _age; - int _gender; //1 male 2 female 3 others + String _gender; int _d_type; //diabetes type int _preferred_unit; // preferred unit @@ -17,7 +17,7 @@ public User() } - public User(int id, String name,String preferred_language, String country, int age,int gender,int dType,int pUnit) + public User(int id, String name,String preferred_language, String country, int age,String gender,int dType,int pUnit) { this._id=id; this._name=name; @@ -88,11 +88,11 @@ public void set_age(int age) { this._age=age; } - public int get_gender() + public String get_gender() { return this._gender; } - public void set_gender(int gender) + public void set_gender(String gender) { this._gender=gender; } diff --git a/app/src/main/java/org/glucosio/android/presenter/HelloPresenter.java b/app/src/main/java/org/glucosio/android/presenter/HelloPresenter.java index a8822c4f..14921c0b 100644 --- a/app/src/main/java/org/glucosio/android/presenter/HelloPresenter.java +++ b/app/src/main/java/org/glucosio/android/presenter/HelloPresenter.java @@ -17,7 +17,7 @@ public class HelloPresenter { int age; String name; String country; - int gender; + String gender; int diabetesType; int unitMeasurement; String language; @@ -32,7 +32,7 @@ public void loadDatabase(){ name = "Test Account"; //TODO: add input for name in Tips; } - public void onNextClicked(String age, int gender, String language, int type, int unit){ + public void onNextClicked(String age, String gender, String language, int type, int unit){ if (validateAge(age)){ this.age = Integer.parseInt(age); this.gender = gender; diff --git a/app/src/main/java/org/glucosio/android/tools/InputFilterMinMax.java b/app/src/main/java/org/glucosio/android/tools/InputFilterMinMax.java new file mode 100644 index 00000000..2638b858 --- /dev/null +++ b/app/src/main/java/org/glucosio/android/tools/InputFilterMinMax.java @@ -0,0 +1,33 @@ +package org.glucosio.android.tools; + +import android.text.InputFilter; +import android.text.Spanned; + +public class InputFilterMinMax implements InputFilter { + + private int min, max; + + public InputFilterMinMax(int min, int max) { + this.min = min; + this.max = max; + } + + public InputFilterMinMax(String min, String max) { + this.min = Integer.parseInt(min); + this.max = Integer.parseInt(max); + } + + @Override + public CharSequence filter(CharSequence source, int start, int end, Spanned dest, int dstart, int dend) { + try { + int input = Integer.parseInt(dest.toString() + source.toString()); + if (isInRange(min, max, input)) + return null; + } catch (NumberFormatException nfe) { } + return ""; + } + + private boolean isInRange(int a, int b, int c) { + return b > a ? c >= a && c <= b : c >= b && c <= a; + } +} \ No newline at end of file diff --git a/app/src/main/res/values/strings.xml b/app/src/main/res/values/strings.xml index 9b2632e8..4093f07d 100644 --- a/app/src/main/res/values/strings.xml +++ b/app/src/main/res/values/strings.xml @@ -105,8 +105,10 @@ in range and healthy Tip Use less cheese in your recipes and meals. Fresh mozzarella packed in water and Swiss cheese are usually lower in sodium. - - + About + 0.8.0 (Noce) + Version + Terms of use diff --git a/app/src/main/res/xml/preferences.xml b/app/src/main/res/xml/preferences.xml new file mode 100644 index 00000000..146e0eb9 --- /dev/null +++ b/app/src/main/res/xml/preferences.xml @@ -0,0 +1,33 @@ + + + + + + + + + + + + \ No newline at end of file From 20fdfcad99360d0f1be3a4ee4f4b34408a799996 Mon Sep 17 00:00:00 2001 From: Paolo Rotolo Date: Sat, 19 Sep 2015 19:25:49 +0200 Subject: [PATCH 009/126] Make reading_type a String. Closes #53. --- .../android/activity/MainActivity.java | 6 ++--- .../android/adapter/HistoryAdapter.java | 27 +------------------ .../glucosio/android/db/DatabaseHandler.java | 10 +++---- .../glucosio/android/db/GlucoseReading.java | 20 ++++---------- .../android/presenter/HistoryPresenter.java | 4 +-- .../android/presenter/MainPresenter.java | 6 ++--- .../android/presenter/OverviewPresenter.java | 4 +-- 7 files changed, 21 insertions(+), 56 deletions(-) diff --git a/app/src/main/java/org/glucosio/android/activity/MainActivity.java b/app/src/main/java/org/glucosio/android/activity/MainActivity.java index f8b4732b..982f1daa 100644 --- a/app/src/main/java/org/glucosio/android/activity/MainActivity.java +++ b/app/src/main/java/org/glucosio/android/activity/MainActivity.java @@ -219,7 +219,7 @@ public void showEditDialog(final int id){ dialogReading = (TextView) addDialog.findViewById(R.id.dialog_add_concentration); dialogAddButton.setText(getString(R.string.dialog_edit).toUpperCase()); dialogReading.setText(presenter.getGlucoseReadingReadingById(id)); - spinnerReadingType.setSelection(presenter.getGlucoseReadingTypeById(id)); + spinnerReadingType.setSelection(1); presenter.getGlucoseReadingTimeById(id); @@ -266,7 +266,7 @@ public void onClick(View v){ private void dialogOnAddButtonPressed(){ presenter.dialogOnAddButtonPressed(dialogAddTime.getText().toString(), dialogAddDate.getText().toString(), dialogReading.getText().toString(), - spinnerReadingType.getSpinner().getSelectedItemPosition()); + spinnerReadingType.getSpinner().getSelectedItem().toString()); } public void dismissAddDialog(){ @@ -281,7 +281,7 @@ public void showErrorMessage(){ private void dialogOnEditButtonPressed(int id){ presenter.dialogOnEditButtonPressed(dialogAddTime.getText().toString(), dialogAddDate.getText().toString(), dialogReading.getText().toString(), - spinnerReadingType.getSpinner().getSelectedItemPosition(), id); + spinnerReadingType.getSpinner().getSelectedItem().toString(), id); } public void updateSpinnerTypeTime(int selection){ diff --git a/app/src/main/java/org/glucosio/android/adapter/HistoryAdapter.java b/app/src/main/java/org/glucosio/android/adapter/HistoryAdapter.java index f549fd48..31a7d9a1 100644 --- a/app/src/main/java/org/glucosio/android/adapter/HistoryAdapter.java +++ b/app/src/main/java/org/glucosio/android/adapter/HistoryAdapter.java @@ -75,32 +75,7 @@ public void onBindViewHolder(ViewHolder holder, int position) { idTextView.setText(presenter.getId().get(position).toString()); readingTextView.setText(presenter.getReading().get(position).toString()); datetimeTextView.setText(presenter.convertDate(presenter.getDatetime().get(position))); - typeTextView.setText(typeToString(presenter.getType().get(position))); - } - - public String typeToString(int typeInt){ - //TODO refactor this ugly mess - String typeString = ""; - if (typeInt == 0) { - typeString = mContext.getString(R.string.dialog_add_type_1); - } else if (typeInt == 1) { - typeString = mContext.getString(R.string.dialog_add_type_2); - } else if (typeInt == 2) { - typeString = mContext.getString(R.string.dialog_add_type_3); - } else if (typeInt == 3) { - typeString = mContext.getString(R.string.dialog_add_type_4); - } else if (typeInt == 4) { - typeString = mContext.getString(R.string.dialog_add_type_5); - } else if (typeInt == 5) { - typeString = mContext.getString(R.string.dialog_add_type_6); - } else if (typeInt == 6) { - typeString = mContext.getString(R.string.dialog_add_type_7); - } else if (typeInt == 7) { - typeString = mContext.getString(R.string.dialog_add_type_8); - } else if (typeInt == 8) { - typeString = mContext.getString(R.string.dialog_add_type_9); - } - return typeString; + typeTextView.setText(presenter.getType().get(position)); } private void loadDatabase(){ diff --git a/app/src/main/java/org/glucosio/android/db/DatabaseHandler.java b/app/src/main/java/org/glucosio/android/db/DatabaseHandler.java index d2ede9ed..55b83c45 100644 --- a/app/src/main/java/org/glucosio/android/db/DatabaseHandler.java +++ b/app/src/main/java/org/glucosio/android/db/DatabaseHandler.java @@ -61,7 +61,7 @@ public void createTable(SQLiteDatabase db) KEY_DIABETES_TYPE+" INTEGER )"; String CREATE_GLUCOSE_READING_TABLE="CREATE TABLE "+TABLE_GLUCOSE_READING+" (" +KEY_ID+" INTEGER PRIMARY KEY,"+KEY_READING+" TEXT, "+ - KEY_READING_TYPE+" INTEGER, "+ + KEY_READING_TYPE+" TEXT, "+ KEY_CREATED_AT+" TIMESTAMP DEFAULT (datetime('now','localtime') )," +KEY_USER_ID+" INTEGER DEFAULT 1," + KEY_NOTES+" TEXT DEFAULT NULL )"; @@ -240,7 +240,7 @@ public List getGlucoseReadingsRecords(String selectQuery) GlucoseReading reading=new GlucoseReading(); reading.set_id(Integer.parseInt(cursor.getString(0))); reading.set_reading(Integer.parseInt(cursor.getString(1))); - reading.set_reading_type(Integer.parseInt(cursor.getString(2))); + reading.set_reading_type(cursor.getString(2)); reading.set_created(cursor.getString(3)); reading.set_user_id(Integer.parseInt(cursor.getString(4))); reading.set_notes(cursor.getString(5)); @@ -279,13 +279,13 @@ public ArrayList getGlucoseReadingAsArray(){ return readingArray; } - public ArrayList getGlucoseTypeAsArray(){ + public ArrayList getGlucoseTypeAsArray(){ List glucoseReading = getGlucoseReadings(); - ArrayList typeArray = new ArrayList(); + ArrayList typeArray = new ArrayList(); int i; for (i = 0; i < glucoseReading.size(); i++){ - int reading; + String reading; GlucoseReading singleReading= glucoseReading.get(i); reading = singleReading.get_reading_type(); typeArray.add(reading); diff --git a/app/src/main/java/org/glucosio/android/db/GlucoseReading.java b/app/src/main/java/org/glucosio/android/db/GlucoseReading.java index 7b80492d..d5388c57 100644 --- a/app/src/main/java/org/glucosio/android/db/GlucoseReading.java +++ b/app/src/main/java/org/glucosio/android/db/GlucoseReading.java @@ -7,7 +7,7 @@ public class GlucoseReading { int _reading; int _id; - int _reading_type; + String _reading_type; String _notes; int _user_id; String _created; @@ -17,7 +17,7 @@ public GlucoseReading() } - public GlucoseReading(int reading,int reading_type,String created,String notes) + public GlucoseReading(int reading,String reading_type,String created,String notes) { this._reading=reading; this._reading_type=reading_type; @@ -50,7 +50,7 @@ public void set_reading(int reading) { this._reading=reading; } - public void set_reading_type(int reading_type) + public void set_reading_type(String reading_type) { this._reading_type=reading_type; } @@ -59,7 +59,7 @@ public int get_reading() { return this._reading; } - public int get_reading_type() + public String get_reading_type() { return this._reading_type; } @@ -73,16 +73,6 @@ public void set_created(String created) } public String get_type() { - return type(this._reading_type); - } - public String type(int reading_type) - { - String[] enums={"Before fast","after breakfast","random"}; - try{ - return enums[reading_type+1]; - } - catch(ArrayIndexOutOfBoundsException e){ - return "N/A"; - } + return this._reading_type; } } diff --git a/app/src/main/java/org/glucosio/android/presenter/HistoryPresenter.java b/app/src/main/java/org/glucosio/android/presenter/HistoryPresenter.java index 5419105d..d1642a4d 100644 --- a/app/src/main/java/org/glucosio/android/presenter/HistoryPresenter.java +++ b/app/src/main/java/org/glucosio/android/presenter/HistoryPresenter.java @@ -11,7 +11,7 @@ public class HistoryPresenter { DatabaseHandler dB; private ArrayList id; private ArrayList reading; - private ArrayList type; + private ArrayList type; private ArrayList datetime; GlucoseReading readingToRestore; HistoryFragment fragment; @@ -69,7 +69,7 @@ public ArrayList getReading() { return reading; } - public ArrayList getType() { + public ArrayList getType() { return type; } diff --git a/app/src/main/java/org/glucosio/android/presenter/MainPresenter.java b/app/src/main/java/org/glucosio/android/presenter/MainPresenter.java index 633911bd..14924515 100644 --- a/app/src/main/java/org/glucosio/android/presenter/MainPresenter.java +++ b/app/src/main/java/org/glucosio/android/presenter/MainPresenter.java @@ -87,7 +87,7 @@ public String getGlucoseReadingReadingById(int id){ return dB.getGlucoseReadingById(id).get_reading() + ""; } - public int getGlucoseReadingTypeById(int id){ + public String getGlucoseReadingTypeById(int id){ return dB.getGlucoseReadingById(id).get_reading_type(); } @@ -101,7 +101,7 @@ public void getGlucoseReadingTimeById(int id){ this.readingMinute = splitDateTime.getMinute(); } - public void dialogOnAddButtonPressed(String time, String date, String reading, int type){ + public void dialogOnAddButtonPressed(String time, String date, String reading, String type){ if (validateDate(date) && validateTime(time) && validateReading(reading)) { int finalReading = Integer.parseInt(reading); String finalDateTime = readingYear + "-" + readingMonth + "-" + readingDay + " " + readingHour + ":" + readingMinute; @@ -114,7 +114,7 @@ public void dialogOnAddButtonPressed(String time, String date, String reading, i } } - public void dialogOnEditButtonPressed(String time, String date, String reading, int type, int id){ + public void dialogOnEditButtonPressed(String time, String date, String reading, String type, int id){ if (validateDate(date) && validateTime(time) && validateReading(reading)) { int finalReading = Integer.parseInt(reading); String finalDateTime = readingYear + "-" + readingMonth + "-" + readingDay + " " + readingHour + ":" + readingMinute; diff --git a/app/src/main/java/org/glucosio/android/presenter/OverviewPresenter.java b/app/src/main/java/org/glucosio/android/presenter/OverviewPresenter.java index c4541529..61ee1a24 100644 --- a/app/src/main/java/org/glucosio/android/presenter/OverviewPresenter.java +++ b/app/src/main/java/org/glucosio/android/presenter/OverviewPresenter.java @@ -16,7 +16,7 @@ public class OverviewPresenter { DatabaseHandler dB; private ArrayList reading; - private ArrayList type; + private ArrayList type; private ArrayList datetime; public OverviewPresenter(OverviewFragment overviewFragment) { @@ -62,7 +62,7 @@ public ArrayList getReading() { return reading; } - public ArrayList getType() { + public ArrayList getType() { return type; } From b8e61ee1b45a8e6042c25e58a2308a6929e4961c Mon Sep 17 00:00:00 2001 From: Paolo Rotolo Date: Sat, 19 Sep 2015 20:30:27 +0200 Subject: [PATCH 010/126] Add animation when an History item is deleted. --- .../android/activity/MainActivity.java | 15 +++++++++ .../android/activity/PreferencesActivity.java | 2 +- .../android/fragment/HistoryFragment.java | 33 ++++++++++++------- .../android/presenter/HistoryPresenter.java | 16 +++------ app/src/main/res/layout/activity_main.xml | 1 + .../main/res/layout/fragment_history_item.xml | 1 + app/src/main/res/values/strings.xml | 1 + 7 files changed, 45 insertions(+), 24 deletions(-) diff --git a/app/src/main/java/org/glucosio/android/activity/MainActivity.java b/app/src/main/java/org/glucosio/android/activity/MainActivity.java index 982f1daa..2e421508 100644 --- a/app/src/main/java/org/glucosio/android/activity/MainActivity.java +++ b/app/src/main/java/org/glucosio/android/activity/MainActivity.java @@ -5,6 +5,7 @@ import android.app.Dialog; import android.content.Context; import android.content.Intent; +import android.support.design.widget.AppBarLayout; import android.support.design.widget.CoordinatorLayout; import android.support.design.widget.TabLayout; import android.support.v4.view.ViewPager; @@ -300,6 +301,20 @@ public void reloadFragmentAdapter(){ homePagerAdapter.notifyDataSetChanged(); } + public void turnOffToolbarScrolling() { + Toolbar mToolbar = (Toolbar) findViewById(R.id.toolbar); + AppBarLayout appBarLayout = (AppBarLayout) findViewById(R.id.appbar_layout); + + //turn off scrolling + AppBarLayout.LayoutParams toolbarLayoutParams = (AppBarLayout.LayoutParams) mToolbar.getLayoutParams(); + toolbarLayoutParams.setScrollFlags(0); + mToolbar.setLayoutParams(toolbarLayoutParams); + + CoordinatorLayout.LayoutParams appBarLayoutParams = (CoordinatorLayout.LayoutParams) appBarLayout.getLayoutParams(); + appBarLayoutParams.setBehavior(null); + appBarLayout.setLayoutParams(appBarLayoutParams); + } + public Toolbar getToolbar(){ return (Toolbar) findViewById(R.id.toolbar); } diff --git a/app/src/main/java/org/glucosio/android/activity/PreferencesActivity.java b/app/src/main/java/org/glucosio/android/activity/PreferencesActivity.java index 881654cd..0f03f559 100644 --- a/app/src/main/java/org/glucosio/android/activity/PreferencesActivity.java +++ b/app/src/main/java/org/glucosio/android/activity/PreferencesActivity.java @@ -40,7 +40,7 @@ public void onCreate(final Bundle savedInstanceState) ageEditText.setFilters(new InputFilter[]{ new InputFilterMinMax(1, 110) }); agePref.setSummary(dB.getUser(1).get_age() + ""); genderPref.setSummary(dB.getUser(1).get_gender() + ""); - diabetesTypePref.setSummary(dB.getUser(1).get_d_type() + ""); + diabetesTypePref.setSummary(getResources().getString(R.string.glucose_reading_type) + " " + dB.getUser(1).get_d_type()); unitPref.setSummary(dB.getUser(1).get_preferred_unit() + ""); } } diff --git a/app/src/main/java/org/glucosio/android/fragment/HistoryFragment.java b/app/src/main/java/org/glucosio/android/fragment/HistoryFragment.java index 9e0a048f..3f711b38 100644 --- a/app/src/main/java/org/glucosio/android/fragment/HistoryFragment.java +++ b/app/src/main/java/org/glucosio/android/fragment/HistoryFragment.java @@ -6,6 +6,7 @@ import android.support.design.widget.Snackbar; import android.support.v4.app.Fragment; import android.support.v7.app.AlertDialog; +import android.support.v7.widget.CardView; import android.support.v7.widget.DefaultItemAnimator; import android.support.v7.widget.LinearLayoutManager; import android.support.v7.widget.RecyclerView; @@ -13,6 +14,7 @@ import android.view.View; import android.view.ViewGroup; import android.widget.TextView; +import android.widget.Toast; import org.glucosio.android.R; import org.glucosio.android.activity.MainActivity; @@ -24,7 +26,7 @@ public class HistoryFragment extends Fragment { RecyclerView mRecyclerView; - RecyclerView.LayoutManager mLayoutManager; + LinearLayoutManager mLayoutManager; RecyclerView.Adapter mAdapter; GlucoseReading readingToRestore; HistoryPresenter presenter; @@ -71,31 +73,30 @@ public View onCreateView(LayoutInflater inflater, ViewGroup container, mRecyclerView.setAdapter(mAdapter); mRecyclerView.addOnItemTouchListener(new RecyclerItemClickListener(getActivity(), mRecyclerView, new RecyclerItemClickListener.OnItemClickListener() { @Override - public void onItemClick(View view, int position) - { + public void onItemClick(View view, int position) { // Do nothing } @Override - public void onItemLongClick(View view, final int position) - { - CharSequence colors[] = new CharSequence[] {getResources().getString(R.string.dialog_edit), getResources().getString(R.string.dialog_delete)}; + public void onItemLongClick(View view, final int position) { + CharSequence colors[] = new CharSequence[]{getResources().getString(R.string.dialog_edit), getResources().getString(R.string.dialog_delete)}; AlertDialog.Builder builder = new AlertDialog.Builder(getActivity()); builder.setItems(colors, new DialogInterface.OnClickListener() { @Override public void onClick(DialogInterface dialog, int which) { - if (which == 0){ + if (which == 0) { // EDIT TextView idTextView = (TextView) mRecyclerView.getChildAt(position).findViewById(R.id.item_history_id); final int idToEdit = Integer.parseInt(idTextView.getText().toString()); - ((MainActivity)getActivity()).showEditDialog(idToEdit); + ((MainActivity) getActivity()).showEditDialog(idToEdit); } else { // DELETE TextView idTextView = (TextView) mRecyclerView.getChildAt(position).findViewById(R.id.item_history_id); final int idToDelete = Integer.parseInt(idTextView.getText().toString()); - presenter.onDeleteClicked(idToDelete); - Snackbar.make(((MainActivity)getActivity()).getFabView(), R.string.fragment_history_snackbar_text, Snackbar.LENGTH_LONG).setCallback(new Snackbar.Callback() { + final CardView item = (CardView) mRecyclerView.getChildAt(position).findViewById(R.id.item_history); + item.animate().alpha(0.0f).setDuration(2000); + Snackbar.make(((MainActivity) getActivity()).getFabView(), R.string.fragment_history_snackbar_text, Snackbar.LENGTH_SHORT).setCallback(new Snackbar.Callback() { @Override public void onDismissed(Snackbar snackbar, int event) { switch (event) { @@ -103,7 +104,7 @@ public void onDismissed(Snackbar snackbar, int event) { // Do nothing, see Undo onClickListener break; case Snackbar.Callback.DISMISS_EVENT_TIMEOUT: - presenter.deleteReading(idToDelete); + presenter.onDeleteClicked(idToDelete); break; } } @@ -115,7 +116,9 @@ public void onShown(Snackbar snackbar) { }).setAction("UNDO", new View.OnClickListener() { @Override public void onClick(View v) { - presenter.onUndoClicked(); + item.clearAnimation(); + item.setAlpha(1.0f); + mAdapter.notifyDataSetChanged(); } }).setActionTextColor(getResources().getColor(R.color.glucosio_accent)).show(); } @@ -125,6 +128,12 @@ public void onClick(View v) { } })); + Toast.makeText(getActivity().getApplicationContext(), mLayoutManager.findLastCompletelyVisibleItemPosition() + "", Toast.LENGTH_SHORT ).show(); + if (mLayoutManager.findLastVisibleItemPosition()==presenter.getReadingsNumber()-1) { + ((MainActivity) getActivity()).turnOffToolbarScrolling(); + } + + } else { mFragmentView = inflater.inflate(R.layout.fragment_empty, container, false); } diff --git a/app/src/main/java/org/glucosio/android/presenter/HistoryPresenter.java b/app/src/main/java/org/glucosio/android/presenter/HistoryPresenter.java index d1642a4d..edbfa094 100644 --- a/app/src/main/java/org/glucosio/android/presenter/HistoryPresenter.java +++ b/app/src/main/java/org/glucosio/android/presenter/HistoryPresenter.java @@ -1,5 +1,6 @@ package org.glucosio.android.presenter; +import org.glucosio.android.activity.MainActivity; import org.glucosio.android.db.DatabaseHandler; import org.glucosio.android.db.GlucoseReading; import org.glucosio.android.fragment.HistoryFragment; @@ -39,19 +40,8 @@ public String convertDate(String date) { } public void onDeleteClicked(int idToDelete){ - readingToRestore = dB.getGlucoseReadingById(idToDelete); removeReadingFromDb(dB.getGlucoseReadingById(idToDelete)); fragment.notifyAdapter(); - dB.addGlucoseReading(readingToRestore); - } - - public void deleteReading(int idToDelete) { - removeReadingFromDb(dB.getGlucoseReadingById(idToDelete)); - fragment.notifyAdapter(); - } - - public void onUndoClicked(){ - fragment.notifyAdapter(); } private void removeReadingFromDb(GlucoseReading gReading) { @@ -76,4 +66,8 @@ public ArrayList getType() { public ArrayList getDatetime() { return datetime; } + + public int getReadingsNumber(){ + return reading.size(); + } } diff --git a/app/src/main/res/layout/activity_main.xml b/app/src/main/res/layout/activity_main.xml index 830dfbc2..4e0328ef 100644 --- a/app/src/main/res/layout/activity_main.xml +++ b/app/src/main/res/layout/activity_main.xml @@ -6,6 +6,7 @@ android:layout_height="match_parent"> diff --git a/app/src/main/res/layout/fragment_history_item.xml b/app/src/main/res/layout/fragment_history_item.xml index 289f1747..199c0cca 100644 --- a/app/src/main/res/layout/fragment_history_item.xml +++ b/app/src/main/res/layout/fragment_history_item.xml @@ -1,6 +1,7 @@ 0.8.0 (Noce) Version Terms of use + Type From 79928de6d34f6e0ce21a4155cb0b4be05e549fba Mon Sep 17 00:00:00 2001 From: Paolo Rotolo Date: Sat, 19 Sep 2015 21:47:29 +0200 Subject: [PATCH 011/126] Fixed Toolbar collapsing behaviour. --- .../android/activity/MainActivity.java | 16 +++++++++++- .../android/fragment/HistoryFragment.java | 26 ++++++++++++++----- .../android/presenter/HistoryPresenter.java | 1 + 3 files changed, 36 insertions(+), 7 deletions(-) diff --git a/app/src/main/java/org/glucosio/android/activity/MainActivity.java b/app/src/main/java/org/glucosio/android/activity/MainActivity.java index 2e421508..31435ce6 100644 --- a/app/src/main/java/org/glucosio/android/activity/MainActivity.java +++ b/app/src/main/java/org/glucosio/android/activity/MainActivity.java @@ -311,7 +311,21 @@ public void turnOffToolbarScrolling() { mToolbar.setLayoutParams(toolbarLayoutParams); CoordinatorLayout.LayoutParams appBarLayoutParams = (CoordinatorLayout.LayoutParams) appBarLayout.getLayoutParams(); - appBarLayoutParams.setBehavior(null); + appBarLayoutParams.setBehavior(new AppBarLayout.Behavior()); + appBarLayout.setLayoutParams(appBarLayoutParams); + } + + public void turnOnToolbarScrolling() { + Toolbar mToolbar = (Toolbar) findViewById(R.id.toolbar); + AppBarLayout appBarLayout = (AppBarLayout) findViewById(R.id.appbar_layout); + + //turn on scrolling + AppBarLayout.LayoutParams toolbarLayoutParams = (AppBarLayout.LayoutParams) mToolbar.getLayoutParams(); + toolbarLayoutParams.setScrollFlags(AppBarLayout.LayoutParams.SCROLL_FLAG_SCROLL | AppBarLayout.LayoutParams.SCROLL_FLAG_ENTER_ALWAYS); + mToolbar.setLayoutParams(toolbarLayoutParams); + + CoordinatorLayout.LayoutParams appBarLayoutParams = (CoordinatorLayout.LayoutParams) appBarLayout.getLayoutParams(); + appBarLayoutParams.setBehavior(new AppBarLayout.Behavior()); appBarLayout.setLayoutParams(appBarLayoutParams); } diff --git a/app/src/main/java/org/glucosio/android/fragment/HistoryFragment.java b/app/src/main/java/org/glucosio/android/fragment/HistoryFragment.java index 3f711b38..8b32c439 100644 --- a/app/src/main/java/org/glucosio/android/fragment/HistoryFragment.java +++ b/app/src/main/java/org/glucosio/android/fragment/HistoryFragment.java @@ -30,6 +30,7 @@ public class HistoryFragment extends Fragment { RecyclerView.Adapter mAdapter; GlucoseReading readingToRestore; HistoryPresenter presenter; + Boolean isToolbarScrolling = true; public static HistoryFragment newInstance() { HistoryFragment fragment = new HistoryFragment(); @@ -128,12 +129,13 @@ public void onClick(View v) { } })); - Toast.makeText(getActivity().getApplicationContext(), mLayoutManager.findLastCompletelyVisibleItemPosition() + "", Toast.LENGTH_SHORT ).show(); - if (mLayoutManager.findLastVisibleItemPosition()==presenter.getReadingsNumber()-1) { - ((MainActivity) getActivity()).turnOffToolbarScrolling(); - } - - + mRecyclerView.addOnLayoutChangeListener(new View.OnLayoutChangeListener() { + @Override + public void onLayoutChange(View v, int left, int top, int right, int bottom, int oldLeft, int oldTop, int oldRight, int oldBottom) { + mRecyclerView.removeOnLayoutChangeListener(this); + updateToolbarBehaviour(); + } + }); } else { mFragmentView = inflater.inflate(R.layout.fragment_empty, container, false); } @@ -141,6 +143,18 @@ public void onClick(View v) { return mFragmentView; } + public void updateToolbarBehaviour(){ + if (mLayoutManager.findLastCompletelyVisibleItemPosition() == presenter.getReadingsNumber()-1) { + isToolbarScrolling = false; + ((MainActivity) getActivity()).turnOffToolbarScrolling(); + } else { + if (!isToolbarScrolling){ + isToolbarScrolling = true; + ((MainActivity)getActivity()).turnOnToolbarScrolling(); + } + } + } + public void notifyAdapter(){ mAdapter.notifyDataSetChanged(); } diff --git a/app/src/main/java/org/glucosio/android/presenter/HistoryPresenter.java b/app/src/main/java/org/glucosio/android/presenter/HistoryPresenter.java index edbfa094..9a764d5c 100644 --- a/app/src/main/java/org/glucosio/android/presenter/HistoryPresenter.java +++ b/app/src/main/java/org/glucosio/android/presenter/HistoryPresenter.java @@ -42,6 +42,7 @@ public String convertDate(String date) { public void onDeleteClicked(int idToDelete){ removeReadingFromDb(dB.getGlucoseReadingById(idToDelete)); fragment.notifyAdapter(); + fragment.updateToolbarBehaviour(); } private void removeReadingFromDb(GlucoseReading gReading) { From a1a23cd88c6281c9773a334b285436a93c66b253 Mon Sep 17 00:00:00 2001 From: Christopher Pecoraro Date: Sun, 20 Sep 2015 12:46:02 +0200 Subject: [PATCH 012/126] refactoring times and adding in strings --- .../glucosio/android/tools/ReadingTools.java | 38 ++++++++++--------- app/src/main/res/values-en/strings.xml | 3 ++ app/src/main/res/values/strings.xml | 3 -- 3 files changed, 23 insertions(+), 21 deletions(-) diff --git a/app/src/main/java/org/glucosio/android/tools/ReadingTools.java b/app/src/main/java/org/glucosio/android/tools/ReadingTools.java index 2f59f1e7..b40323d7 100644 --- a/app/src/main/java/org/glucosio/android/tools/ReadingTools.java +++ b/app/src/main/java/org/glucosio/android/tools/ReadingTools.java @@ -28,23 +28,25 @@ public String convertDate(String date) { return outputFormat.format(parsed); } - public int hourToSpinnerType(int hour) { - - if (hour > 4 && hour <= 7 ){ - return 0; - } else if (hour > 7 && hour <= 11){ - return 1; - } else if (hour > 11 && hour <= 13) { - return 2; - } else if (hour > 13 && hour <= 17) { - return 3; - } else if (hour > 17 && hour <= 20) { - return 4; - } else if (hour > 20 && hour <= 4) { - return 5; - } else { - return 0; - } + public int hourToSpinnerType(int hour) { + + if (hour > 23) { + return 8; //night + } else if (hour > 20) { + return 5; //after dinner + } else if (hour > 17) { + return 4; // before dinner + } else if (hour > 13) { + return 3; // after lunch + } else if (hour > 11) { + return 2; // before lunch + } else if (hour > 7) { + return 1; //after breakfast + } else if (hour > 4) { + return 1; // before breakfast + } else { + return 8; // night time + } - } + } } diff --git a/app/src/main/res/values-en/strings.xml b/app/src/main/res/values-en/strings.xml index d9a1d6a6..51970f12 100755 --- a/app/src/main/res/values-en/strings.xml +++ b/app/src/main/res/values-en/strings.xml @@ -34,6 +34,9 @@ After lunch Before dinner After dinner + General + Recheck + Night CANCEL ADD Please fill all the fields. diff --git a/app/src/main/res/values/strings.xml b/app/src/main/res/values/strings.xml index d50b58f8..cc8fd9c3 100644 --- a/app/src/main/res/values/strings.xml +++ b/app/src/main/res/values/strings.xml @@ -62,7 +62,6 @@ Date Time Measured - Before breakfast After breakfast Before lunch @@ -72,8 +71,6 @@ General Recheck Night - - @string/dialog_add_type_1 @string/dialog_add_type_2 From 7cd770815200827e3a633d6dd7de12b33dd3ee55 Mon Sep 17 00:00:00 2001 From: Christopher Pecoraro Date: Sun, 20 Sep 2015 19:16:24 +0200 Subject: [PATCH 013/126] adding in a check for within range --- .../glucosio/android/presenter/MainPresenter.java | 15 +++++++++++++-- 1 file changed, 13 insertions(+), 2 deletions(-) diff --git a/app/src/main/java/org/glucosio/android/presenter/MainPresenter.java b/app/src/main/java/org/glucosio/android/presenter/MainPresenter.java index 26a2e30b..92926892 100644 --- a/app/src/main/java/org/glucosio/android/presenter/MainPresenter.java +++ b/app/src/main/java/org/glucosio/android/presenter/MainPresenter.java @@ -138,10 +138,21 @@ private boolean validateTime(String time){ private boolean validateDate(String date){ return !date.equals(""); } - private boolean validateReading(String reading){ - return !reading.equals(""); + + private boolean validateReading(String reading) { + try { + Integer readingValue = Integer.parseInt(reading); + if (readingValue > 19 && readingValue < 601) { //valid range is 20-600 + return true; + } else { + return false; + } + } catch (Exception e) { + return false; + } } + // Getters and Setters public String getReadingYear() { return readingYear; From a7911883c3f535a220a9ca95f870ef0393a21e6b Mon Sep 17 00:00:00 2001 From: Paolo Rotolo Date: Tue, 22 Sep 2015 20:30:18 +0200 Subject: [PATCH 014/126] Start working on custon categories. --- .../glucosio/android/activity/MainActivity.java | 4 +++- .../android/presenter/MainPresenter.java | 1 + app/src/main/res/layout/dialog_add.xml | 17 +++++++++++++++++ app/src/main/res/values/strings.xml | 4 ++++ 4 files changed, 25 insertions(+), 1 deletion(-) diff --git a/app/src/main/java/org/glucosio/android/activity/MainActivity.java b/app/src/main/java/org/glucosio/android/activity/MainActivity.java index 31435ce6..3542826d 100644 --- a/app/src/main/java/org/glucosio/android/activity/MainActivity.java +++ b/app/src/main/java/org/glucosio/android/activity/MainActivity.java @@ -12,6 +12,7 @@ import android.support.v7.app.AppCompatActivity; import android.os.Bundle; import android.support.v7.widget.Toolbar; +import android.text.InputFilter; import android.util.Log; import android.view.Menu; import android.view.MenuItem; @@ -28,6 +29,7 @@ import org.glucosio.android.R; import org.glucosio.android.adapter.HomePagerAdapter; import org.glucosio.android.presenter.MainPresenter; +import org.glucosio.android.tools.InputFilterMinMax; import org.glucosio.android.tools.LabelledSpinner; import org.glucosio.android.tools.ReadingTools; @@ -276,7 +278,7 @@ public void dismissAddDialog(){ } public void showErrorMessage(){ - Toast.makeText(getApplicationContext(),getString(R.string.dialog_error), Toast.LENGTH_SHORT).show(); + Toast.makeText(getApplicationContext(),getString(R.string.dialog_error2), Toast.LENGTH_SHORT).show(); } private void dialogOnEditButtonPressed(int id){ diff --git a/app/src/main/java/org/glucosio/android/presenter/MainPresenter.java b/app/src/main/java/org/glucosio/android/presenter/MainPresenter.java index 829309fb..39aa089c 100644 --- a/app/src/main/java/org/glucosio/android/presenter/MainPresenter.java +++ b/app/src/main/java/org/glucosio/android/presenter/MainPresenter.java @@ -146,6 +146,7 @@ private boolean validateReading(String reading) { try { Integer readingValue = Integer.parseInt(reading); if (readingValue > 19 && readingValue < 601) { //valid range is 20-600 + // TODO: Convert range in mmol/L return true; } else { return false; diff --git a/app/src/main/res/layout/dialog_add.xml b/app/src/main/res/layout/dialog_add.xml index 05325441..f9719405 100644 --- a/app/src/main/res/layout/dialog_add.xml +++ b/app/src/main/res/layout/dialog_add.xml @@ -86,6 +86,7 @@ android:textSize="@dimen/abc_text_size_body_2_material" android:hint="@string/dialog_add_time"/> + + + + + + General Recheck Night + Other @string/dialog_add_type_1 @string/dialog_add_type_2 @@ -86,9 +87,11 @@ @string/dialog_add_type_7 @string/dialog_add_type_8 @string/dialog_add_type_9 + @string/dialog_add_type_10 CANCEL ADD + Please enter a valid value. Please fill all the fields. Delete Edit @@ -107,6 +110,7 @@ Version Terms of use Type + Custom Type From 82948442db99b67e0b93149acdc6e621aaf76e7b Mon Sep 17 00:00:00 2001 From: Paolo Rotolo Date: Tue, 22 Sep 2015 20:31:56 +0200 Subject: [PATCH 015/126] Start working on custom categories. --- app/src/main/res/layout/dialog_add.xml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/app/src/main/res/layout/dialog_add.xml b/app/src/main/res/layout/dialog_add.xml index f9719405..aa64f406 100644 --- a/app/src/main/res/layout/dialog_add.xml +++ b/app/src/main/res/layout/dialog_add.xml @@ -99,7 +99,7 @@ Date: Wed, 23 Sep 2015 22:08:19 +0200 Subject: [PATCH 016/126] Add custom categories. --- .../android/activity/MainActivity.java | 97 ++++++++++++++++--- .../android/presenter/MainPresenter.java | 5 +- .../android/tools/LabelledSpinner.java | 22 ++++- app/src/main/res/layout/dialog_add.xml | 3 +- 4 files changed, 112 insertions(+), 15 deletions(-) diff --git a/app/src/main/java/org/glucosio/android/activity/MainActivity.java b/app/src/main/java/org/glucosio/android/activity/MainActivity.java index 3542826d..07dab4a5 100644 --- a/app/src/main/java/org/glucosio/android/activity/MainActivity.java +++ b/app/src/main/java/org/glucosio/android/activity/MainActivity.java @@ -8,6 +8,7 @@ import android.support.design.widget.AppBarLayout; import android.support.design.widget.CoordinatorLayout; import android.support.design.widget.TabLayout; +import android.support.design.widget.TextInputLayout; import android.support.v4.view.ViewPager; import android.support.v7.app.AppCompatActivity; import android.os.Bundle; @@ -19,6 +20,9 @@ import android.view.View; import android.view.Window; import android.view.WindowManager; +import android.widget.AdapterView; +import android.widget.EdgeEffect; +import android.widget.EditText; import android.widget.TextView; import android.widget.Toast; @@ -29,9 +33,8 @@ import org.glucosio.android.R; import org.glucosio.android.adapter.HomePagerAdapter; import org.glucosio.android.presenter.MainPresenter; -import org.glucosio.android.tools.InputFilterMinMax; import org.glucosio.android.tools.LabelledSpinner; -import org.glucosio.android.tools.ReadingTools; +import org.glucosio.android.tools.LabelledSpinner.OnItemChosenListener; import java.text.DecimalFormat; import java.text.SimpleDateFormat; @@ -41,7 +44,7 @@ import uk.co.chrisjenx.calligraphy.CalligraphyContextWrapper; -public class MainActivity extends AppCompatActivity implements TimePickerDialog.OnTimeSetListener, DatePickerDialog.OnDateSetListener { +public class MainActivity extends AppCompatActivity implements TimePickerDialog.OnTimeSetListener, DatePickerDialog.OnDateSetListener{ LabelledSpinner spinnerReadingType; Dialog addDialog; @@ -51,7 +54,10 @@ public class MainActivity extends AppCompatActivity implements TimePickerDialog. TextView dialogAddTime; TextView dialogAddDate; TextView dialogReading; + TextInputLayout dialogTypeCustom; + TextView dialogTypeCustomName; HomePagerAdapter homePagerAdapter; + boolean isCustomType; private MainPresenter presenter; @@ -132,6 +138,10 @@ public void openPreferences() { } public void onFabClicked(View v){ + showAddDialog(); + } + + private void showAddDialog(){ addDialog = new Dialog(MainActivity.this, R.style.GlucosioTheme); WindowManager.LayoutParams lp = new WindowManager.LayoutParams(); @@ -153,8 +163,33 @@ public void onFabClicked(View v){ dialogAddTime = (TextView) addDialog.findViewById(R.id.dialog_add_time); dialogAddDate = (TextView) addDialog.findViewById(R.id.dialog_add_date); dialogReading = (TextView) addDialog.findViewById(R.id.dialog_add_concentration); + dialogTypeCustom = (TextInputLayout) addDialog.findViewById(R.id.dialog_type_custom); + dialogTypeCustomName = (EditText) addDialog.findViewById(R.id.dialog_type_custom_name); presenter.updateSpinnerTypeTime(); + this.isCustomType = false; + + spinnerReadingType.setOnItemChosenListener(new OnItemChosenListener() { + @Override + public void onItemChosen(View labelledSpinner, AdapterView adapterView, View itemView, int position, long id) { + // If other is selected + if (position == 9) { + dialogTypeCustom.setVisibility(View.VISIBLE); + isCustomType = true; + } else { + if (dialogTypeCustom.getVisibility() == View.VISIBLE) { + dialogTypeCustom.setVisibility(View.GONE); + isCustomType = false; + } + } + } + + @Override + public void onNothingChosen(View labelledSpinner, AdapterView adapterView) { + + } + }); + dialogAddTime.setText(presenter.getReadingHour() + ":" + presenter.getReadingMinute()); dialogAddDate.setText(presenter.getReadingDay() + "/" + presenter.getReadingMonth() + "/" + presenter.getReadingYear()); @@ -199,7 +234,7 @@ public void showEditDialog(final int id){ //only included for debug // printGlucoseReadingTableDetails(); - addDialog = new Dialog(MainActivity.this, R.style.AppTheme); + addDialog = new Dialog(MainActivity.this, R.style.GlucosioTheme); WindowManager.LayoutParams lp = new WindowManager.LayoutParams(); lp.copyFrom(addDialog.getWindow().getAttributes()); @@ -224,6 +259,34 @@ public void showEditDialog(final int id){ dialogReading.setText(presenter.getGlucoseReadingReadingById(id)); spinnerReadingType.setSelection(1); + dialogReading = (TextView) addDialog.findViewById(R.id.dialog_add_concentration); + dialogTypeCustom = (TextInputLayout) addDialog.findViewById(R.id.dialog_type_custom); + dialogTypeCustomName = (EditText) addDialog.findViewById(R.id.dialog_type_custom_name); + + presenter.updateSpinnerTypeTime(); + this.isCustomType = false; + + spinnerReadingType.setOnItemChosenListener(new OnItemChosenListener() { + @Override + public void onItemChosen(View labelledSpinner, AdapterView adapterView, View itemView, int position, long id) { + // If other is selected + if (position == 9) { + dialogTypeCustom.setVisibility(View.VISIBLE); + isCustomType = true; + } else { + if (dialogTypeCustom.getVisibility() == View.VISIBLE) { + dialogTypeCustom.setVisibility(View.GONE); + isCustomType = false; + } + } + } + + @Override + public void onNothingChosen(View labelledSpinner, AdapterView adapterView) { + + } + }); + presenter.getGlucoseReadingTimeById(id); dialogAddTime.setText(presenter.getReadingHour() + ":" + presenter.getReadingMinute()); @@ -266,10 +329,16 @@ public void onClick(View v){ }); } - private void dialogOnAddButtonPressed(){ - presenter.dialogOnAddButtonPressed(dialogAddTime.getText().toString(), - dialogAddDate.getText().toString(), dialogReading.getText().toString(), - spinnerReadingType.getSpinner().getSelectedItem().toString()); + private void dialogOnAddButtonPressed() { + if (isCustomType) { + presenter.dialogOnAddButtonPressed(dialogAddTime.getText().toString(), + dialogAddDate.getText().toString(), dialogReading.getText().toString(), + dialogTypeCustomName.getText().toString()); + } else { + presenter.dialogOnAddButtonPressed(dialogAddTime.getText().toString(), + dialogAddDate.getText().toString(), dialogReading.getText().toString(), + spinnerReadingType.getSpinner().getSelectedItem().toString()); + } } public void dismissAddDialog(){ @@ -282,9 +351,15 @@ public void showErrorMessage(){ } private void dialogOnEditButtonPressed(int id){ - presenter.dialogOnEditButtonPressed(dialogAddTime.getText().toString(), - dialogAddDate.getText().toString(), dialogReading.getText().toString(), - spinnerReadingType.getSpinner().getSelectedItem().toString(), id); + if (isCustomType) { + presenter.dialogOnEditButtonPressed(dialogAddTime.getText().toString(), + dialogAddDate.getText().toString(), dialogReading.getText().toString(), + dialogTypeCustomName.getText().toString(), id); + } else { + presenter.dialogOnEditButtonPressed(dialogAddTime.getText().toString(), + dialogAddDate.getText().toString(), dialogReading.getText().toString(), + spinnerReadingType.getSpinner().getSelectedItem().toString(), id); + } } public void updateSpinnerTypeTime(int selection){ diff --git a/app/src/main/java/org/glucosio/android/presenter/MainPresenter.java b/app/src/main/java/org/glucosio/android/presenter/MainPresenter.java index 39aa089c..a1476950 100644 --- a/app/src/main/java/org/glucosio/android/presenter/MainPresenter.java +++ b/app/src/main/java/org/glucosio/android/presenter/MainPresenter.java @@ -102,7 +102,7 @@ public void getGlucoseReadingTimeById(int id){ } public void dialogOnAddButtonPressed(String time, String date, String reading, String type){ - if (validateDate(date) && validateTime(time) && validateReading(reading)) { + if (validateDate(date) && validateTime(time) && validateReading(reading) && validateType(type)) { int finalReading = Integer.parseInt(reading); String finalDateTime = readingYear + "-" + readingMonth + "-" + readingDay + " " + readingHour + ":" + readingMinute; @@ -141,6 +141,9 @@ private boolean validateTime(String time){ private boolean validateDate(String date){ return !date.equals(""); } + private boolean validateType(String type){ + return !type.equals(""); + } private boolean validateReading(String reading) { try { diff --git a/app/src/main/java/org/glucosio/android/tools/LabelledSpinner.java b/app/src/main/java/org/glucosio/android/tools/LabelledSpinner.java index 4432d9a7..70805a82 100644 --- a/app/src/main/java/org/glucosio/android/tools/LabelledSpinner.java +++ b/app/src/main/java/org/glucosio/android/tools/LabelledSpinner.java @@ -1,5 +1,3 @@ -package org.glucosio.android.tools; - /* * Copyright 2015 Farbod Salamat-Zadeh * @@ -16,6 +14,9 @@ * limitations under the License. */ +package org.glucosio.android.tools; + + import android.content.Context; import android.content.res.TypedArray; import android.support.annotation.ArrayRes; @@ -193,6 +194,23 @@ public void setItemsArray(@ArrayRes int arrayResId) { ); } + /** + * Sets the array of items to be used in the Spinner. + * + * @see #setItemsArray(int) + * @see #setItemsArray(int, int, int) + * + * @param arrayList The ArrayList used as the data source + */ + public void setItemsArray(ArrayList arrayList) { + ArrayAdapter adapter = new ArrayAdapter<>( + getContext(), + android.R.layout.simple_spinner_item, + arrayList); + adapter.setDropDownViewResource(android.R.layout.simple_spinner_dropdown_item); + mSpinner.setAdapter(adapter); + } + /** * A private helper method to set the array of items to be used in the * Spinner. diff --git a/app/src/main/res/layout/dialog_add.xml b/app/src/main/res/layout/dialog_add.xml index aa64f406..8aa42b25 100644 --- a/app/src/main/res/layout/dialog_add.xml +++ b/app/src/main/res/layout/dialog_add.xml @@ -98,12 +98,13 @@ android:layout_height="wrap_content"/> Date: Wed, 23 Sep 2015 22:54:54 +0200 Subject: [PATCH 017/126] Implement custom categories in Edit dialog too. --- .../android/activity/MainActivity.java | 50 +++++++++++++++---- .../android/presenter/MainPresenter.java | 16 +----- .../glucosio/android/tools/ReadingTools.java | 3 +- app/src/main/res/layout/dialog_add.xml | 15 ++---- app/src/main/res/values/strings.xml | 2 +- 5 files changed, 47 insertions(+), 39 deletions(-) diff --git a/app/src/main/java/org/glucosio/android/activity/MainActivity.java b/app/src/main/java/org/glucosio/android/activity/MainActivity.java index 07dab4a5..92677ebc 100644 --- a/app/src/main/java/org/glucosio/android/activity/MainActivity.java +++ b/app/src/main/java/org/glucosio/android/activity/MainActivity.java @@ -37,7 +37,6 @@ import org.glucosio.android.tools.LabelledSpinner.OnItemChosenListener; import java.text.DecimalFormat; -import java.text.SimpleDateFormat; import java.util.Calendar; import uk.co.chrisjenx.calligraphy.CalligraphyConfig; @@ -54,8 +53,7 @@ public class MainActivity extends AppCompatActivity implements TimePickerDialog. TextView dialogAddTime; TextView dialogAddDate; TextView dialogReading; - TextInputLayout dialogTypeCustom; - TextView dialogTypeCustomName; + EditText dialogTypeCustom; HomePagerAdapter homePagerAdapter; boolean isCustomType; @@ -163,8 +161,7 @@ private void showAddDialog(){ dialogAddTime = (TextView) addDialog.findViewById(R.id.dialog_add_time); dialogAddDate = (TextView) addDialog.findViewById(R.id.dialog_add_date); dialogReading = (TextView) addDialog.findViewById(R.id.dialog_add_concentration); - dialogTypeCustom = (TextInputLayout) addDialog.findViewById(R.id.dialog_type_custom); - dialogTypeCustomName = (EditText) addDialog.findViewById(R.id.dialog_type_custom_name); + dialogTypeCustom = (EditText) addDialog.findViewById(R.id.dialog_type_custom); presenter.updateSpinnerTypeTime(); this.isCustomType = false; @@ -234,6 +231,7 @@ public void showEditDialog(final int id){ //only included for debug // printGlucoseReadingTableDetails(); + final int readingId = id; addDialog = new Dialog(MainActivity.this, R.style.GlucosioTheme); WindowManager.LayoutParams lp = new WindowManager.LayoutParams(); @@ -256,26 +254,28 @@ public void showEditDialog(final int id){ dialogAddDate = (TextView) addDialog.findViewById(R.id.dialog_add_date); dialogReading = (TextView) addDialog.findViewById(R.id.dialog_add_concentration); dialogAddButton.setText(getString(R.string.dialog_edit).toUpperCase()); - dialogReading.setText(presenter.getGlucoseReadingReadingById(id)); - spinnerReadingType.setSelection(1); + dialogReading.setText(presenter.getGlucoseReadingReadingById(readingId)); dialogReading = (TextView) addDialog.findViewById(R.id.dialog_add_concentration); - dialogTypeCustom = (TextInputLayout) addDialog.findViewById(R.id.dialog_type_custom); - dialogTypeCustomName = (EditText) addDialog.findViewById(R.id.dialog_type_custom_name); + dialogTypeCustom = (EditText) addDialog.findViewById(R.id.dialog_type_custom); presenter.updateSpinnerTypeTime(); this.isCustomType = false; + spinnerReadingType.setSelection(typeStringToInt(presenter.getGlucoseReadingTypeById(readingId))); + spinnerReadingType.setOnItemChosenListener(new OnItemChosenListener() { @Override public void onItemChosen(View labelledSpinner, AdapterView adapterView, View itemView, int position, long id) { // If other is selected if (position == 9) { dialogTypeCustom.setVisibility(View.VISIBLE); + dialogTypeCustom.setText(presenter.getGlucoseReadingTypeById(readingId)); isCustomType = true; } else { if (dialogTypeCustom.getVisibility() == View.VISIBLE) { dialogTypeCustom.setVisibility(View.GONE); + dialogTypeCustom.setText(""); isCustomType = false; } } @@ -333,7 +333,7 @@ private void dialogOnAddButtonPressed() { if (isCustomType) { presenter.dialogOnAddButtonPressed(dialogAddTime.getText().toString(), dialogAddDate.getText().toString(), dialogReading.getText().toString(), - dialogTypeCustomName.getText().toString()); + dialogTypeCustom.getText().toString()); } else { presenter.dialogOnAddButtonPressed(dialogAddTime.getText().toString(), dialogAddDate.getText().toString(), dialogReading.getText().toString(), @@ -354,7 +354,7 @@ private void dialogOnEditButtonPressed(int id){ if (isCustomType) { presenter.dialogOnEditButtonPressed(dialogAddTime.getText().toString(), dialogAddDate.getText().toString(), dialogReading.getText().toString(), - dialogTypeCustomName.getText().toString(), id); + dialogTypeCustom.getText().toString(), id); } else { presenter.dialogOnEditButtonPressed(dialogAddTime.getText().toString(), dialogAddDate.getText().toString(), dialogReading.getText().toString(), @@ -446,6 +446,34 @@ public void onAnimationEnd(Animator animation) { } } + public int typeStringToInt(String typeString) { + //TODO refactor this ugly mess + int typeInt; + if (typeString.equals(getString(R.string.dialog_add_type_1))) { + typeInt = 0; + } else if (typeString.equals(getString(R.string.dialog_add_type_2))) { + typeInt = 1; + } else if (typeString.equals(getString(R.string.dialog_add_type_3))) { + typeInt = 2; + } else if (typeString.equals(getString(R.string.dialog_add_type_4))) { + typeInt = 3; + } else if (typeString.equals(getString(R.string.dialog_add_type_5))) { + typeInt = 4; + } else if (typeString.equals(getString(R.string.dialog_add_type_6))) { + typeInt = 5; + } else if (typeString.equals(getString(R.string.dialog_add_type_7))) { + typeInt = 6; + } else if (typeString.equals(getString(R.string.dialog_add_type_8))) { + typeInt = 7; + } else if (typeString.equals(getString(R.string.dialog_add_type_9))) { + typeInt = 8; + } else { + typeInt = 9; + } + + return typeInt; +} + @Override public void onTimeSet(RadialPickerLayout view, int hourOfDay, int minute) { TextView addTime = (TextView) addDialog.findViewById(R.id.dialog_add_time); diff --git a/app/src/main/java/org/glucosio/android/presenter/MainPresenter.java b/app/src/main/java/org/glucosio/android/presenter/MainPresenter.java index a1476950..2f4f51e7 100644 --- a/app/src/main/java/org/glucosio/android/presenter/MainPresenter.java +++ b/app/src/main/java/org/glucosio/android/presenter/MainPresenter.java @@ -62,21 +62,7 @@ public int timeToSpinnerType() { SplitDateTime addSplitDateTime = new SplitDateTime(formatted, inputFormat); int hour = Integer.parseInt(addSplitDateTime.getHour()); - if (hour > 4 && hour <= 7 ){ - return 0; - } else if (hour > 7 && hour <= 11){ - return 1; - } else if (hour > 11 && hour <= 13) { - return 2; - } else if (hour > 13 && hour <= 17) { - return 3; - } else if (hour > 17 && hour <= 20) { - return 4; - } else if (hour > 20 && hour <= 4) { - return 5; - } else { - return 0; - } + return hourToSpinnerType(hour); } public int hourToSpinnerType(int hour){ diff --git a/app/src/main/java/org/glucosio/android/tools/ReadingTools.java b/app/src/main/java/org/glucosio/android/tools/ReadingTools.java index b40323d7..6831e646 100644 --- a/app/src/main/java/org/glucosio/android/tools/ReadingTools.java +++ b/app/src/main/java/org/glucosio/android/tools/ReadingTools.java @@ -43,10 +43,9 @@ public int hourToSpinnerType(int hour) { } else if (hour > 7) { return 1; //after breakfast } else if (hour > 4) { - return 1; // before breakfast + return 0; // before breakfast } else { return 8; // night time } - } } diff --git a/app/src/main/res/layout/dialog_add.xml b/app/src/main/res/layout/dialog_add.xml index 8aa42b25..45b64959 100644 --- a/app/src/main/res/layout/dialog_add.xml +++ b/app/src/main/res/layout/dialog_add.xml @@ -97,21 +97,16 @@ android:layout_width="match_parent" android:layout_height="wrap_content"/> - - + android:textSize="@dimen/abc_text_size_body_2_material" /> Version Terms of use Type - Custom Type + Custom name From c87358a95a2b194cc5edcee9da6e95324794e7c4 Mon Sep 17 00:00:00 2001 From: Paolo Rotolo Date: Thu, 24 Sep 2015 19:49:35 +0200 Subject: [PATCH 018/126] Add ActionBar in Settings. Closes #59. --- app/build.gradle | 1 + app/src/main/AndroidManifest.xml | 2 +- .../android/activity/MainActivity.java | 1 - .../android/activity/PreferencesActivity.java | 29 +++++++++++++++---- app/src/main/res/layout/preferences.xml | 8 +++++ app/src/main/res/values/styles.xml | 7 +++++ 6 files changed, 41 insertions(+), 7 deletions(-) create mode 100644 app/src/main/res/layout/preferences.xml diff --git a/app/build.gradle b/app/build.gradle index 67663f7c..92f8e34e 100644 --- a/app/build.gradle +++ b/app/build.gradle @@ -36,6 +36,7 @@ dependencies { compile 'com.android.support:design:23.0.1' compile 'com.android.support:cardview-v7:23.0.1' compile 'com.android.support:recyclerview-v7:23.0.1' + compile 'com.android.support:preference-v7:23.0.1' compile 'com.wdullaer:materialdatetimepicker:1.5.1' compile 'com.android.support:percent:23.0.1' compile 'com.github.PhilJay:MPAndroidChart:v2.1.3' diff --git a/app/src/main/AndroidManifest.xml b/app/src/main/AndroidManifest.xml index f36fb57a..76ad7310 100644 --- a/app/src/main/AndroidManifest.xml +++ b/app/src/main/AndroidManifest.xml @@ -30,7 +30,7 @@ + android:theme="@style/GlucosioSettings"> diff --git a/app/src/main/java/org/glucosio/android/activity/MainActivity.java b/app/src/main/java/org/glucosio/android/activity/MainActivity.java index 92677ebc..4a053191 100644 --- a/app/src/main/java/org/glucosio/android/activity/MainActivity.java +++ b/app/src/main/java/org/glucosio/android/activity/MainActivity.java @@ -132,7 +132,6 @@ public void startGittyReporter() { public void openPreferences() { Intent intent = new Intent(this, PreferencesActivity.class); startActivity(intent); - finish(); } public void onFabClicked(View v){ diff --git a/app/src/main/java/org/glucosio/android/activity/PreferencesActivity.java b/app/src/main/java/org/glucosio/android/activity/PreferencesActivity.java index 0f03f559..b11bef3b 100644 --- a/app/src/main/java/org/glucosio/android/activity/PreferencesActivity.java +++ b/app/src/main/java/org/glucosio/android/activity/PreferencesActivity.java @@ -3,23 +3,28 @@ import android.os.Bundle; import android.preference.EditTextPreference; import android.preference.ListPreference; -import android.preference.PreferenceActivity; import android.preference.PreferenceFragment; +import android.support.v7.app.AppCompatActivity; import android.text.InputFilter; +import android.view.MenuItem; import android.widget.EditText; import org.glucosio.android.R; import org.glucosio.android.db.DatabaseHandler; import org.glucosio.android.tools.InputFilterMinMax; -import java.util.List; - -public class PreferencesActivity extends PreferenceActivity { +public class PreferencesActivity extends AppCompatActivity { @Override protected void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); - getFragmentManager().beginTransaction().replace(android.R.id.content, new MyPreferenceFragment()).commit(); + setContentView(R.layout.preferences); + + getFragmentManager().beginTransaction() + .replace(R.id.preferencesFrame, new MyPreferenceFragment()).commit(); + + getSupportActionBar().setDisplayHomeAsUpEnabled(true); + getSupportActionBar().setTitle(getString(R.string.action_settings)); } public static class MyPreferenceFragment extends PreferenceFragment @@ -45,4 +50,18 @@ public void onCreate(final Bundle savedInstanceState) } } + @Override + public void onBackPressed() + { + finish(); + } + + @Override + public boolean onOptionsItemSelected(MenuItem item) { + if (item.getItemId() == android.R.id.home) { + finish(); + } + return true; + } + } \ No newline at end of file diff --git a/app/src/main/res/layout/preferences.xml b/app/src/main/res/layout/preferences.xml new file mode 100644 index 00000000..96664f5c --- /dev/null +++ b/app/src/main/res/layout/preferences.xml @@ -0,0 +1,8 @@ + + + \ No newline at end of file diff --git a/app/src/main/res/values/styles.xml b/app/src/main/res/values/styles.xml index 32c2feaa..33b60e91 100644 --- a/app/src/main/res/values/styles.xml +++ b/app/src/main/res/values/styles.xml @@ -7,6 +7,13 @@ @color/glucosio_pink_dark @color/glucosio_pink + + + + + From 75901dde94db43bfe7ee89636263529821090b17 Mon Sep 17 00:00:00 2001 From: Paolo Rotolo Date: Sun, 27 Sep 2015 12:27:01 +0200 Subject: [PATCH 031/126] Fixed empty state message. --- app/src/main/res/layout/fragment_empty.xml | 6 ++++-- 1 file changed, 4 insertions(+), 2 deletions(-) diff --git a/app/src/main/res/layout/fragment_empty.xml b/app/src/main/res/layout/fragment_empty.xml index de08a7ba..17cbb3af 100644 --- a/app/src/main/res/layout/fragment_empty.xml +++ b/app/src/main/res/layout/fragment_empty.xml @@ -8,8 +8,10 @@ android:layout_centerHorizontal="true" android:layout_centerVertical="true" android:gravity="center" + android:paddingBottom="@dimen/abc_action_bar_default_height_material" + android:layout_gravity="center" + android:lineSpacingExtra="-1.5dp" android:onClick="onFabClicked" - android:textSize="@dimen/abc_text_size_headline_material" + android:textSize="16sp" android:text="@string/fragment_empty_text"/> - \ No newline at end of file From 9bf31bf487cd5e007e1c203b384b4bfaa3ca0996 Mon Sep 17 00:00:00 2001 From: Paolo Rotolo Date: Sun, 27 Sep 2015 13:01:16 +0200 Subject: [PATCH 032/126] Change all fonts in app to Lato. --- .../android/activity/GittyActivity.java | 18 ++++++++++++++++++ .../android/activity/HelloActivity.java | 16 +++++++++++++++- .../android/activity/LicenceActivity.java | 16 ++++++++++++++++ .../android/activity/PreferencesActivity.java | 15 +++++++++++++++ 4 files changed, 64 insertions(+), 1 deletion(-) diff --git a/app/src/main/java/org/glucosio/android/activity/GittyActivity.java b/app/src/main/java/org/glucosio/android/activity/GittyActivity.java index aac4da04..1823199d 100644 --- a/app/src/main/java/org/glucosio/android/activity/GittyActivity.java +++ b/app/src/main/java/org/glucosio/android/activity/GittyActivity.java @@ -1,12 +1,18 @@ package org.glucosio.android.activity; +import android.content.Context; import android.os.Bundle; import android.util.Base64; import com.github.paolorotolo.gitty_reporter.GittyReporter; +import org.glucosio.android.R; + import java.io.UnsupportedEncodingException; +import uk.co.chrisjenx.calligraphy.CalligraphyConfig; +import uk.co.chrisjenx.calligraphy.CalligraphyContextWrapper; + public class GittyActivity extends GittyReporter { @Override @@ -39,5 +45,17 @@ public void init(Bundle savedInstanceState) { // Set if Gitty can use your Auth token for users without a GitHub account (default: true) // If false, Gitty will redirect non registred users to github.com/join enableGuestGitHubLogin(true); + + // Set fonts + CalligraphyConfig.initDefault(new CalligraphyConfig.Builder() + .setDefaultFontPath("fonts/lato.ttf") + .setFontAttrId(R.attr.fontPath) + .build() + ); + } + + @Override + protected void attachBaseContext(Context newBase) { + super.attachBaseContext(CalligraphyContextWrapper.wrap(newBase)); } } diff --git a/app/src/main/java/org/glucosio/android/activity/HelloActivity.java b/app/src/main/java/org/glucosio/android/activity/HelloActivity.java index 94283d57..ca9e66c5 100644 --- a/app/src/main/java/org/glucosio/android/activity/HelloActivity.java +++ b/app/src/main/java/org/glucosio/android/activity/HelloActivity.java @@ -2,6 +2,7 @@ import android.animation.Animator; import android.animation.AnimatorListenerAdapter; +import android.content.Context; import android.content.Intent; import android.graphics.drawable.Drawable; import android.support.design.widget.TextInputLayout; @@ -31,6 +32,9 @@ import java.util.Collections; import java.util.Locale; +import uk.co.chrisjenx.calligraphy.CalligraphyConfig; +import uk.co.chrisjenx.calligraphy.CalligraphyContextWrapper; + public class HelloActivity extends AppCompatActivity { LabelledSpinner countrySpinner; @@ -105,7 +109,12 @@ public void onCheckedChanged(CompoundButton buttonView, boolean isChecked) { } ); - //TODO: add Preferred Unit and Diabetes Type in dB + // Set fonts + CalligraphyConfig.initDefault(new CalligraphyConfig.Builder() + .setDefaultFontPath("fonts/lato.ttf") + .setFontAttrId(R.attr.fontPath) + .build() + ); } public void onNextClicked(View v){ @@ -177,4 +186,9 @@ public boolean onOptionsItemSelected(MenuItem item) { return super.onOptionsItemSelected(item); } + + @Override + protected void attachBaseContext(Context newBase) { + super.attachBaseContext(CalligraphyContextWrapper.wrap(newBase)); + } } diff --git a/app/src/main/java/org/glucosio/android/activity/LicenceActivity.java b/app/src/main/java/org/glucosio/android/activity/LicenceActivity.java index 3b906a93..98dfc074 100644 --- a/app/src/main/java/org/glucosio/android/activity/LicenceActivity.java +++ b/app/src/main/java/org/glucosio/android/activity/LicenceActivity.java @@ -1,5 +1,6 @@ package org.glucosio.android.activity; +import android.content.Context; import android.os.Bundle; import android.support.v7.app.AppCompatActivity; import android.view.View; @@ -7,6 +8,9 @@ import org.glucosio.android.R; +import uk.co.chrisjenx.calligraphy.CalligraphyConfig; +import uk.co.chrisjenx.calligraphy.CalligraphyContextWrapper; + public class LicenceActivity extends AppCompatActivity { @Override @@ -21,5 +25,17 @@ public void onClick(View v) { finish(); } }); + + // Set fonts + CalligraphyConfig.initDefault(new CalligraphyConfig.Builder() + .setDefaultFontPath("fonts/lato.ttf") + .setFontAttrId(R.attr.fontPath) + .build() + ); + } + + @Override + protected void attachBaseContext(Context newBase) { + super.attachBaseContext(CalligraphyContextWrapper.wrap(newBase)); } } diff --git a/app/src/main/java/org/glucosio/android/activity/PreferencesActivity.java b/app/src/main/java/org/glucosio/android/activity/PreferencesActivity.java index a33b4e31..827d1d9a 100644 --- a/app/src/main/java/org/glucosio/android/activity/PreferencesActivity.java +++ b/app/src/main/java/org/glucosio/android/activity/PreferencesActivity.java @@ -1,6 +1,7 @@ package org.glucosio.android.activity; import android.app.Dialog; +import android.content.Context; import android.content.Intent; import android.os.Bundle; import android.preference.EditTextPreference; @@ -20,6 +21,9 @@ import java.util.ArrayList; import java.util.Locale; +import uk.co.chrisjenx.calligraphy.CalligraphyConfig; +import uk.co.chrisjenx.calligraphy.CalligraphyContextWrapper; + public class PreferencesActivity extends AppCompatActivity { @Override @@ -32,6 +36,13 @@ protected void onCreate(Bundle savedInstanceState) { getSupportActionBar().setDisplayHomeAsUpEnabled(true); getSupportActionBar().setTitle(getString(R.string.action_settings)); + + // Set fonts + CalligraphyConfig.initDefault(new CalligraphyConfig.Builder() + .setDefaultFontPath("fonts/lato.ttf") + .setFontAttrId(R.attr.fontPath) + .build() + ); } public static class MyPreferenceFragment extends PreferenceFragment { @@ -149,6 +160,10 @@ private void updateDB(){ } } + @Override + protected void attachBaseContext(Context newBase) { + super.attachBaseContext(CalligraphyContextWrapper.wrap(newBase)); + } @Override public void onBackPressed() { From ea9202356b216501236fa28318f8a9d3d3f7f0de Mon Sep 17 00:00:00 2001 From: Christopher Pecoraro Date: Sun, 27 Sep 2015 15:49:23 +0200 Subject: [PATCH 033/126] adding weekly and monthly view --- .../glucosio/android/db/DatabaseHandler.java | 36 +++++++++++++++++++ 1 file changed, 36 insertions(+) diff --git a/app/src/main/java/org/glucosio/android/db/DatabaseHandler.java b/app/src/main/java/org/glucosio/android/db/DatabaseHandler.java index 9d3e716e..4d26c5b6 100644 --- a/app/src/main/java/org/glucosio/android/db/DatabaseHandler.java +++ b/app/src/main/java/org/glucosio/android/db/DatabaseHandler.java @@ -332,4 +332,40 @@ public Integer getAverageGlucoseReadingForLastMonth() { } } + private ArrayList getAverageGlucoseReadingsByWeek(){ + + SQLiteDatabase db=this.getReadableDatabase(); + String[] columns = new String[] { "reading", "strftime('%Y%W', created_at) AS week" }; + + Cursor cursor = db.query(false, "glucose_readings", columns,null, null, "week", null, null, null); + + ArrayList readings = new ArrayList(); + + if(cursor.moveToFirst()){ + do{ + readings.add(cursor.getInt(0)); + }while(cursor.moveToNext()); + } + return readings; + } + + + private ArrayList getAverageGlucoseReadingsByMonth(){ + + SQLiteDatabase db=this.getReadableDatabase(); + String[] columns = new String[] { "reading", "strftime('%Y%m', created_at) AS month" }; + + Cursor cursor = db.query(false, "glucose_readings", columns,null, null, "month", null, null, null); + + ArrayList readings = new ArrayList(); + + if(cursor.moveToFirst()){ + do{ + readings.add(cursor.getInt(0)); + }while(cursor.moveToNext()); + } + return readings; + } + + } From c2a42de8e633aff26ff3c4ec7f314a645b178a8d Mon Sep 17 00:00:00 2001 From: Paolo Rotolo Date: Sun, 27 Sep 2015 20:38:13 +0200 Subject: [PATCH 034/126] Format Time and Date according to Locale. Closes #65. --- .../android/activity/MainActivity.java | 1 + .../android/adapter/HistoryAdapter.java | 1 + .../android/fragment/HistoryFragment.java | 6 ++++ .../android/fragment/OverviewFragment.java | 6 ++++ .../android/presenter/HistoryPresenter.java | 8 +++-- .../android/presenter/OverviewPresenter.java | 5 +++- .../android/tools/FormatDateTime.java | 29 +++++++++++++++++++ .../glucosio/android/tools/ReadingTools.java | 15 ++-------- 8 files changed, 54 insertions(+), 17 deletions(-) create mode 100644 app/src/main/java/org/glucosio/android/tools/FormatDateTime.java diff --git a/app/src/main/java/org/glucosio/android/activity/MainActivity.java b/app/src/main/java/org/glucosio/android/activity/MainActivity.java index a2377aab..e2cf8756 100644 --- a/app/src/main/java/org/glucosio/android/activity/MainActivity.java +++ b/app/src/main/java/org/glucosio/android/activity/MainActivity.java @@ -34,6 +34,7 @@ import org.glucosio.android.R; import org.glucosio.android.adapter.HomePagerAdapter; import org.glucosio.android.presenter.MainPresenter; +import org.glucosio.android.tools.FormatDateTime; import org.glucosio.android.tools.LabelledSpinner; import org.glucosio.android.tools.LabelledSpinner.OnItemChosenListener; diff --git a/app/src/main/java/org/glucosio/android/adapter/HistoryAdapter.java b/app/src/main/java/org/glucosio/android/adapter/HistoryAdapter.java index 31a7d9a1..05c0940d 100644 --- a/app/src/main/java/org/glucosio/android/adapter/HistoryAdapter.java +++ b/app/src/main/java/org/glucosio/android/adapter/HistoryAdapter.java @@ -12,6 +12,7 @@ import org.glucosio.android.activity.MainActivity; import org.glucosio.android.db.DatabaseHandler; import org.glucosio.android.presenter.HistoryPresenter; +import org.glucosio.android.tools.FormatDateTime; import org.glucosio.android.tools.ReadingTools; import java.util.ArrayList; diff --git a/app/src/main/java/org/glucosio/android/fragment/HistoryFragment.java b/app/src/main/java/org/glucosio/android/fragment/HistoryFragment.java index 8b32c439..3374dda6 100644 --- a/app/src/main/java/org/glucosio/android/fragment/HistoryFragment.java +++ b/app/src/main/java/org/glucosio/android/fragment/HistoryFragment.java @@ -22,6 +22,7 @@ import org.glucosio.android.db.GlucoseReading; import org.glucosio.android.listener.RecyclerItemClickListener; import org.glucosio.android.presenter.HistoryPresenter; +import org.glucosio.android.tools.FormatDateTime; public class HistoryFragment extends Fragment { @@ -155,6 +156,11 @@ public void updateToolbarBehaviour(){ } } + public String convertDate(String date){ + FormatDateTime dateTime = new FormatDateTime(getActivity().getApplicationContext()); + return dateTime.convertDate(date); + } + public void notifyAdapter(){ mAdapter.notifyDataSetChanged(); } diff --git a/app/src/main/java/org/glucosio/android/fragment/OverviewFragment.java b/app/src/main/java/org/glucosio/android/fragment/OverviewFragment.java index c96cb230..9355409d 100644 --- a/app/src/main/java/org/glucosio/android/fragment/OverviewFragment.java +++ b/app/src/main/java/org/glucosio/android/fragment/OverviewFragment.java @@ -20,6 +20,7 @@ import org.glucosio.android.activity.MainActivity; import org.glucosio.android.db.DatabaseHandler; import org.glucosio.android.presenter.OverviewPresenter; +import org.glucosio.android.tools.FormatDateTime; import org.glucosio.android.tools.ReadingTools; import org.glucosio.android.tools.TipsManager; @@ -191,4 +192,9 @@ private void loadRandomTip(){ TipsManager tipsManager = new TipsManager(getActivity().getApplicationContext(), presenter.getUserAge()); tipTextView.setText(presenter.getRandomTip(tipsManager)); } + + public String convertDate(String date){ + FormatDateTime dateTime = new FormatDateTime(getActivity().getApplicationContext()); + return dateTime.convertDate(date); + } } \ No newline at end of file diff --git a/app/src/main/java/org/glucosio/android/presenter/HistoryPresenter.java b/app/src/main/java/org/glucosio/android/presenter/HistoryPresenter.java index 6cd176db..70c77cbc 100644 --- a/app/src/main/java/org/glucosio/android/presenter/HistoryPresenter.java +++ b/app/src/main/java/org/glucosio/android/presenter/HistoryPresenter.java @@ -4,7 +4,10 @@ import org.glucosio.android.db.DatabaseHandler; import org.glucosio.android.db.GlucoseReading; import org.glucosio.android.fragment.HistoryFragment; +import org.glucosio.android.tools.FormatDateTime; import org.glucosio.android.tools.ReadingTools; + +import java.text.DateFormat; import java.util.ArrayList; public class HistoryPresenter { @@ -34,9 +37,8 @@ public void loadDatabase(){ } - public String convertDate(String date) { - ReadingTools rTools = new ReadingTools(); - return rTools.convertDate(date); + public String convertDate(String date){ + return fragment.convertDate(date); } public void onDeleteClicked(int idToDelete){ diff --git a/app/src/main/java/org/glucosio/android/presenter/OverviewPresenter.java b/app/src/main/java/org/glucosio/android/presenter/OverviewPresenter.java index 85917458..73a7649d 100644 --- a/app/src/main/java/org/glucosio/android/presenter/OverviewPresenter.java +++ b/app/src/main/java/org/glucosio/android/presenter/OverviewPresenter.java @@ -18,9 +18,12 @@ public class OverviewPresenter { private ArrayList reading; private ArrayList type; private ArrayList datetime; + OverviewFragment fragment; + public OverviewPresenter(OverviewFragment overviewFragment) { dB = DatabaseHandler.getInstance(overviewFragment.getActivity()); + this.fragment = overviewFragment; } public boolean isdbEmpty(){ @@ -35,7 +38,7 @@ public void loadDatabase(){ public String convertDate(String date) { ReadingTools rTools = new ReadingTools(); - return rTools.convertDate(date); + return fragment.convertDate(date); } public int getGlucoseTrend(){ diff --git a/app/src/main/java/org/glucosio/android/tools/FormatDateTime.java b/app/src/main/java/org/glucosio/android/tools/FormatDateTime.java new file mode 100644 index 00000000..7e2f52cf --- /dev/null +++ b/app/src/main/java/org/glucosio/android/tools/FormatDateTime.java @@ -0,0 +1,29 @@ +package org.glucosio.android.tools; + +import android.content.Context; + +import java.text.DateFormat; +import java.text.Format; +import java.text.ParseException; +import java.text.SimpleDateFormat; +import java.util.Date; + +public class FormatDateTime { + + Context context; + public FormatDateTime(Context mContext){ + this.context= mContext; + } + + public String convertDate(String date) { + java.text.DateFormat inputFormat = new SimpleDateFormat("yyyy-MM-dd HH:mm"); + Date parsed = null; + try { + parsed = inputFormat.parse(date); + } catch (ParseException e) { + // TODO Auto-generated catch block + e.printStackTrace(); + } + return DateFormat.getDateTimeInstance().format(parsed); + } +} diff --git a/app/src/main/java/org/glucosio/android/tools/ReadingTools.java b/app/src/main/java/org/glucosio/android/tools/ReadingTools.java index 6831e646..bb014679 100644 --- a/app/src/main/java/org/glucosio/android/tools/ReadingTools.java +++ b/app/src/main/java/org/glucosio/android/tools/ReadingTools.java @@ -5,29 +5,18 @@ import org.glucosio.android.R; import java.text.DateFormat; +import java.text.Format; import java.text.ParseException; import java.text.SimpleDateFormat; import java.util.Calendar; import java.util.Date; +import java.util.Locale; public class ReadingTools { public ReadingTools(){ } - public String convertDate(String date) { - DateFormat inputFormat = new SimpleDateFormat("yyyy-MM-dd HH:mm"); - DateFormat outputFormat = new SimpleDateFormat("E, dd MMM yyyy HH:mm"); - Date parsed = null; - try { - parsed = inputFormat.parse(date); - } catch (ParseException e) { - // TODO Auto-generated catch block - e.printStackTrace(); - } - return outputFormat.format(parsed); - } - public int hourToSpinnerType(int hour) { if (hour > 23) { From 3a6da284cf7809eee943e234f1976fb4d5f464d7 Mon Sep 17 00:00:00 2001 From: Paolo Rotolo Date: Sun, 27 Sep 2015 21:09:21 +0200 Subject: [PATCH 035/126] Fix Country spinner in HelloActivity showing always first item. --- .../java/org/glucosio/android/activity/HelloActivity.java | 6 ++++++ 1 file changed, 6 insertions(+) diff --git a/app/src/main/java/org/glucosio/android/activity/HelloActivity.java b/app/src/main/java/org/glucosio/android/activity/HelloActivity.java index ca9e66c5..cdfcc7a9 100644 --- a/app/src/main/java/org/glucosio/android/activity/HelloActivity.java +++ b/app/src/main/java/org/glucosio/android/activity/HelloActivity.java @@ -14,6 +14,7 @@ import android.view.Menu; import android.view.MenuItem; import android.view.View; +import android.widget.ArrayAdapter; import android.widget.Button; import android.widget.CheckBox; import android.widget.CompoundButton; @@ -86,6 +87,11 @@ protected void onCreate(Bundle savedInstanceState) { // Populate Spinners with array countrySpinner.setItemsArray(countries); + String localCountry = getApplicationContext().getResources().getConfiguration().locale.getDisplayCountry(); + if (!localCountry.equals(null)) { + countrySpinner.setSelection(((ArrayAdapter) countrySpinner.getSpinner().getAdapter()).getPosition(localCountry)); + } + genderSpinner.setItemsArray(R.array.helloactivity_gender_list); unitSpinner.setItemsArray(R.array.helloactivity_preferred_unit); typeSpinner.setItemsArray(R.array.helloactivity_diabetes_type); From 83d45d3d900397541983cd0ebb74e665c52b43e2 Mon Sep 17 00:00:00 2001 From: Paolo Rotolo Date: Sun, 27 Sep 2015 21:09:55 +0200 Subject: [PATCH 036/126] Fix Country spinner in HelloActivity showing always first item. --- .../main/java/org/glucosio/android/activity/HelloActivity.java | 2 ++ 1 file changed, 2 insertions(+) diff --git a/app/src/main/java/org/glucosio/android/activity/HelloActivity.java b/app/src/main/java/org/glucosio/android/activity/HelloActivity.java index cdfcc7a9..a77ff67d 100644 --- a/app/src/main/java/org/glucosio/android/activity/HelloActivity.java +++ b/app/src/main/java/org/glucosio/android/activity/HelloActivity.java @@ -87,6 +87,8 @@ protected void onCreate(Bundle savedInstanceState) { // Populate Spinners with array countrySpinner.setItemsArray(countries); + + // Get locale country name and set the spinner String localCountry = getApplicationContext().getResources().getConfiguration().locale.getDisplayCountry(); if (!localCountry.equals(null)) { countrySpinner.setSelection(((ArrayAdapter) countrySpinner.getSpinner().getAdapter()).getPosition(localCountry)); From 8a6c096f138919fffef9de0206a61b06429f60c2 Mon Sep 17 00:00:00 2001 From: Paolo Rotolo Date: Sun, 27 Sep 2015 21:13:28 +0200 Subject: [PATCH 037/126] Automatically add settings on first start. --- .../org/glucosio/android/activity/PreferencesActivity.java | 7 +++++++ 1 file changed, 7 insertions(+) diff --git a/app/src/main/java/org/glucosio/android/activity/PreferencesActivity.java b/app/src/main/java/org/glucosio/android/activity/PreferencesActivity.java index 827d1d9a..efc90cec 100644 --- a/app/src/main/java/org/glucosio/android/activity/PreferencesActivity.java +++ b/app/src/main/java/org/glucosio/android/activity/PreferencesActivity.java @@ -70,6 +70,13 @@ public void onCreate(final Bundle savedInstanceState) { genderPref = (ListPreference) findPreference("pref_gender"); diabetesTypePref = (ListPreference) findPreference("pref_diabetes_type"); unitPref = (ListPreference) findPreference("pref_unit"); + + agePref.setDefaultValue(user.get_age()); + countryPref.setDefaultValue(user.get_country()); + genderPref.setDefaultValue(user.get_gender()); + diabetesTypePref.setDefaultValue(user.get_d_type()); + unitPref.setDefaultValue(user.get_preferred_unit()); + final Preference termsPref = (Preference) findPreference("preferences_terms"); countryPref.setOnPreferenceChangeListener(new Preference.OnPreferenceChangeListener() { From 9c30109a821a4fba05572297e0c70cc2becf67bd Mon Sep 17 00:00:00 2001 From: Paolo Rotolo Date: Mon, 28 Sep 2015 21:31:27 +0200 Subject: [PATCH 038/126] Add ORM. Closes #55. --- app/build.gradle | 3 + app/src/main/AndroidManifest.xml | 7 + .../android/activity/PreferencesActivity.java | 2 +- .../glucosio/android/db/DatabaseHandler.java | 389 ++---------------- .../glucosio/android/db/GlucoseReading.java | 61 ++- .../java/org/glucosio/android/db/User.java | 58 +-- .../android/fragment/OverviewFragment.java | 6 +- .../android/presenter/HelloPresenter.java | 2 +- .../android/presenter/HistoryPresenter.java | 6 +- .../android/presenter/MainPresenter.java | 2 +- .../android/presenter/OverviewPresenter.java | 6 +- 11 files changed, 134 insertions(+), 408 deletions(-) diff --git a/app/build.gradle b/app/build.gradle index 67663f7c..fe18b079 100644 --- a/app/build.gradle +++ b/app/build.gradle @@ -27,7 +27,9 @@ android { } repositories { + mavenCentral() maven { url "https://jitpack.io" } + maven { url "https://oss.sonatype.org/content/repositories/snapshots/" } } dependencies { @@ -41,4 +43,5 @@ dependencies { compile 'com.github.PhilJay:MPAndroidChart:v2.1.3' compile 'uk.co.chrisjenx:calligraphy:2.1.0' compile 'com.github.paolorotolo:gitty_reporter:1.1.1' + compile 'com.michaelpardo:activeandroid:3.1.0-SNAPSHOT' } diff --git a/app/src/main/AndroidManifest.xml b/app/src/main/AndroidManifest.xml index 40017284..2410c03b 100644 --- a/app/src/main/AndroidManifest.xml +++ b/app/src/main/AndroidManifest.xml @@ -3,11 +3,18 @@ package="org.glucosio.android" > + + getUsers() { - SQLiteDatabase db=this.getReadableDatabase(); - List userLists=new ArrayList(); - String selectQuery="SELECT * FROM "+TABLE_USER; - - db.beginTransaction(); - try { - Cursor cursor=db.rawQuery(selectQuery, null); - try { - if(cursor.moveToFirst()){ - do{ - User user=new User(); - user.set_id(Integer.parseInt(cursor.getString(0))); - user.set_name(cursor.getString(1)); - user.set_preferredLanguage(cursor.getString(2)); - user.set_country(cursor.getString(3)); - user.set_age(Integer.parseInt(cursor.getString(4))); - user.set_gender(cursor.getString(5)); - user.set_d_type(Integer.parseInt(cursor.getString(6))); - user.set_preferred_unit(cursor.getString(7)); - userLists.add(user); - } while(cursor.moveToNext()); - } - db.setTransactionSuccessful(); - } finally { - if (cursor != null && !cursor.isClosed()) { - cursor.close(); - } - } - - } catch (Exception e) { - Log.d("Database", "Error while trying to get users"); - } finally { - db.endTransaction(); - } - return userLists; + public void updateUser(User user) { + User newUser = user; + newUser.save(); } - public int getTotalUsers() - { - int usersNumber = -1; - String countQuery=" SELECT * from "+TABLE_USER; - SQLiteDatabase db=this.getReadableDatabase(); - - db.beginTransaction(); - try { - Cursor cursor=db.rawQuery(countQuery, null); - try { - usersNumber = cursor.getCount(); - db.setTransactionSuccessful(); - } finally { - if (cursor != null && !cursor.isClosed()) { - cursor.close(); - } - } - - } catch (Exception e) { - Log.d("Database", "Error while trying to get total users"); - } finally { - db.endTransaction(); - } - return usersNumber; + public void addGlucoseReading(GlucoseReading reading) { + GlucoseReading newGlucoseReading = reading; + newGlucoseReading.save(); } - public int updateUser(User user) { - SQLiteDatabase db=this.getWritableDatabase(); - ContentValues values=new ContentValues(); - db.beginTransaction(); - try { - values.put(KEY_NAME,user.get_name()); - values.put(KEY_PREF_LANG,user.get_preferredLanguage()); - values.put(KEY_PREF_COUNTRY,user.get_country()); - values.put(KEY_AGE, user.get_age()); - values.put(KEY_GENDER, user.get_gender()); - values.put(KEY_DIABETES_TYPE, user.get_d_type()); - values.put(KEY_PREFERRED_UNIT, user.get_preferred_unit()); - db.setTransactionSuccessful(); - } catch (Exception e) { - Log.d("Database", "Error while trying to update user"); - } finally { - db.endTransaction(); - } - return db.update(TABLE_USER,values,KEY_ID+" =? ",new String[]{ String.valueOf(user.get_id()) }); - } - public void deleteUser(User user) - { - SQLiteDatabase db=this.getWritableDatabase(); - db.beginTransaction(); - try { - // Order of deletions is important when foreign key relationships exist. - db.delete(TABLE_USER, KEY_ID + " =? ", new String[]{String.valueOf(user.get_id())}); - db.setTransactionSuccessful(); - } catch (Exception e) { - Log.d("Database", "Error while trying to delete user"); - } finally { - db.endTransaction(); - } + public void deleteGlucoseReadings(GlucoseReading reading) { + GlucoseReading glucoseReading = reading; + reading.delete(); } - public void addGlucoseReading(GlucoseReading reading) - { - SQLiteDatabase db=this.getWritableDatabase(); - ContentValues values=new ContentValues(); - - db.beginTransaction(); - try { - values.put(KEY_READING,reading.get_reading()); - values.put(KEY_READING_TYPE, reading.get_reading_type()); - values.put(KEY_CREATED_AT, reading.get_created()); - values.put(KEY_NOTES, reading.get_notes()); - db.insert(TABLE_GLUCOSE_READING, null, values); - db.setTransactionSuccessful(); - } catch (Exception e) { - Log.d("Database", "Error while trying to add reading"); - } finally { - db.endTransaction(); - } + public List getGlucoseReadings() { + return GlucoseReading.getAllGlucoseReading(); } - public void deleteGlucoseReadings(GlucoseReading reading) - { - SQLiteDatabase db=this.getWritableDatabase(); - db.beginTransaction(); - try { - // Order of deletions is important when foreign key relationships exist. - db.delete(TABLE_GLUCOSE_READING, KEY_ID + " =? ", new String[]{String.valueOf(reading.get_id())}); - db.setTransactionSuccessful(); - } catch (Exception e) { - Log.d("Database", "Error while trying to delete user"); - } finally { - db.endTransaction(); - } - } - public List getGlucoseReadings() - { - String selectQuery="select * from glucose_readings order by "+KEY_CREATED_AT+" desc"; - return getGlucoseReadingsRecords(selectQuery); - } - public List getGlucoseReadings(String where) - { - String selectQuery="select * from glucose_readings where "+where+" order by "+KEY_CREATED_AT+" desc"; - return getGlucoseReadingsRecords(selectQuery); + public List getGlucoseReadings(String where) { + return GlucoseReading.getAllGlucoseReading(where); } - public List getGlucoseReadingsRecords(String selectQuery) - { - List readings=new ArrayList(); - SQLiteDatabase db=this.getReadableDatabase(); - db.beginTransaction(); - try { - Cursor cursor=db.rawQuery(selectQuery,null); - try { - if(cursor.moveToFirst()){ - do{ - GlucoseReading reading=new GlucoseReading(); - reading.set_id(Integer.parseInt(cursor.getString(0))); - reading.set_reading(Integer.parseInt(cursor.getString(1))); - reading.set_reading_type(cursor.getString(2)); - reading.set_created(cursor.getString(3)); - reading.set_user_id(Integer.parseInt(cursor.getString(4))); - reading.set_notes(cursor.getString(5)); - readings.add(reading); - }while(cursor.moveToNext()); - } - db.setTransactionSuccessful(); - } finally { - if (cursor != null && !cursor.isClosed()) { - cursor.close(); - } - } - - } catch (Exception e) { - Log.d("Database", "Error while trying to get glucose reading"); - } finally { - db.endTransaction(); - } - return readings; - } - public ArrayList getGlucoseIdAsArray(){ + public ArrayList getGlucoseIdAsArray(){ List glucoseReading = getGlucoseReadings(); - ArrayList idArray = new ArrayList(); + ArrayList idArray = new ArrayList(); int i; for (i = 0; i < glucoseReading.size(); i++){ - int id; + long id; GlucoseReading singleReading= glucoseReading.get(i); id = singleReading.get_id(); idArray.add(id); @@ -424,44 +127,24 @@ public List getGlucoseReadingsByMonth(int month){ m=String.format("%02d",m); return getGlucoseReadings(" strftime('%m',created)='"+m+"'"); } - private ArrayList getGlucoseReadingsForLastMonthAsArray(){ - SQLiteDatabase db=this.getReadableDatabase(); +/* private ArrayList getGlucoseReadingsForLastMonthAsArray(){ Calendar calendar = Calendar.getInstance(); DateFormat inputFormat = new SimpleDateFormat("yyyy-MM-dd HH:mm"); String now = inputFormat.format(calendar.getTime()); calendar.add(Calendar.MONTH, -1); - String nowString = now.toString(); String oneMonthAgo = inputFormat.format(calendar.getTime()); - String[] parameters = new String[] { oneMonthAgo, now } ; - String[] columns = new String[] { "reading" }; - String whereString = "created_at between ? and ?"; - + String whereString = "created_at between " + oneMonthAgo + " and " + now; + List gReadings; ArrayList readings = new ArrayList(); - db.beginTransaction(); - try { - Cursor cursor = db.query(false, "glucose_readings", columns,whereString, parameters, null, null, null, null); - try { - if(cursor.moveToFirst()){ - do{ - readings.add(cursor.getInt(0)); - }while(cursor.moveToNext()); - } - db.setTransactionSuccessful(); - } finally { - if (cursor != null && !cursor.isClosed()) { - cursor.close(); - } - } - - } catch (Exception e) { - Log.d("Database", "Error while trying to get glucose readings for last month"); - } finally { - db.endTransaction(); + gReadings = GlucoseReading.getAllGlucoseReading(whereString); + int i; + for (i=0; i < gReadings.size(); i++){ + readings.add(gReadings.get(i).get_reading()); } return readings; @@ -479,9 +162,9 @@ public Integer getAverageGlucoseReadingForLastMonth() { } else { return 0; } - } + }*/ - private ArrayList getAverageGlucoseReadingsByWeek(){ +/* private ArrayList getAverageGlucoseReadingsByWeek(){ SQLiteDatabase db=this.getReadableDatabase(); String[] columns = new String[] { "reading", "strftime('%Y%W', created_at) AS week" }; @@ -496,10 +179,10 @@ private ArrayList getAverageGlucoseReadingsByWeek(){ }while(cursor.moveToNext()); } return readings; - } + }*/ - private ArrayList getAverageGlucoseReadingsByMonth(){ +/* private ArrayList getAverageGlucoseReadingsByMonth(){ SQLiteDatabase db=this.getReadableDatabase(); String[] columns = new String[] { "reading", "strftime('%Y%m', created_at) AS month" }; @@ -514,7 +197,7 @@ private ArrayList getAverageGlucoseReadingsByMonth(){ }while(cursor.moveToNext()); } return readings; - } + }*/ } diff --git a/app/src/main/java/org/glucosio/android/db/GlucoseReading.java b/app/src/main/java/org/glucosio/android/db/GlucoseReading.java index d5388c57..8810b171 100644 --- a/app/src/main/java/org/glucosio/android/db/GlucoseReading.java +++ b/app/src/main/java/org/glucosio/android/db/GlucoseReading.java @@ -1,20 +1,32 @@ package org.glucosio.android.db; -/** - * Created by ahmar on 17/8/15. - */ -public class GlucoseReading { +import com.activeandroid.Model; +import com.activeandroid.annotation.Column; +import com.activeandroid.annotation.Table; +import com.activeandroid.query.Select; +import java.util.List; + +@Table(name = "GlucoseReadings") +public class GlucoseReading extends Model { + + @Column(name = "reading") int _reading; - int _id; + + @Column(name = "reading_type") String _reading_type; + + @Column(name = "notes") String _notes; + + @Column(name = "user_id") int _user_id; - String _created; - public GlucoseReading() - { + @Column(name = "created", index = true) + String _created; + public GlucoseReading() { + super(); } public GlucoseReading(int reading,String reading_type,String created,String notes) @@ -24,6 +36,30 @@ public GlucoseReading(int reading,String reading_type,String created,String note this._created=created; this._notes=notes; } + + public static GlucoseReading getGlucoseReading(int id) { + return new Select() + .from(User.class) + .where("id = " + id) + .orderBy("RANDOM()") + .executeSingle(); + } + + public static List getAllGlucoseReading() { + return new Select() + .from(GlucoseReading.class) + .orderBy("created ASC") + .execute(); + } + + public static List getAllGlucoseReading(String where) { + return new Select() + .from(GlucoseReading.class) + .orderBy("created ASC") + .where(where) + .execute(); + } + public String get_notes(){ return this._notes; } @@ -38,14 +74,11 @@ public void set_user_id(int user_id) { this._user_id=user_id; } - public int get_id() - { - return this._id; - } - public void set_id(int id) + public long get_id() { - this._id=id; + return this.getId(); } + public void set_reading(int reading) { this._reading=reading; diff --git a/app/src/main/java/org/glucosio/android/db/User.java b/app/src/main/java/org/glucosio/android/db/User.java index 9fd8eff0..0980534b 100644 --- a/app/src/main/java/org/glucosio/android/db/User.java +++ b/app/src/main/java/org/glucosio/android/db/User.java @@ -1,25 +1,40 @@ package org.glucosio.android.db; -public class User { +import com.activeandroid.Model; +import com.activeandroid.annotation.Column; +import com.activeandroid.annotation.Table; +import com.activeandroid.query.Select; +@Table(name = "Users") +public class User extends Model { - int _id; + @Column(name = "name") String _name; + + @Column(name = "preferred_language") String _preferred_language; + + @Column(name = "country") String _country; + + @Column(name = "age") int _age; + + @Column(name = "gender") String _gender; + + @Column(name = "d_type") int _d_type; //diabetes type - String _preferred_unit; // preferred unit - public User() - { + @Column(name = "preferred_unit") + String _preferred_unit; // preferred unit + public User() { + super(); } public User(int id, String name,String preferred_language, String country, int age, String gender,int dType, String pUnit) { - this._id=id; this._name=name; this._preferred_language=preferred_language; this._country=country; @@ -29,6 +44,14 @@ public User(int id, String name,String preferred_language, String country, int a this._preferred_unit=pUnit; } + public static User getUser(int id) { + return new Select() + .from(User.class) + .where("id = ?", id) + .orderBy("RANDOM()") + .executeSingle(); + } + public int get_d_type(){ return this._d_type; } @@ -41,15 +64,6 @@ public String get_preferred_unit(){ public void set_preferred_unit(String pUnit){ this._preferred_unit=pUnit; } - public int get_id() - { - return this._id; - } - - public void set_id(int id) - { - this._id=id; - } public String get_name() { @@ -96,18 +110,4 @@ public void set_gender(String gender) { this._gender=gender; } - - public String gender(int gender_id) - { - String[] enums={"Male","Female","Others"}; - try{ - return enums[gender_id+1]; - } - catch(ArrayIndexOutOfBoundsException e){ - return ""; - } - } - - - } diff --git a/app/src/main/java/org/glucosio/android/fragment/OverviewFragment.java b/app/src/main/java/org/glucosio/android/fragment/OverviewFragment.java index 9355409d..2183a764 100644 --- a/app/src/main/java/org/glucosio/android/fragment/OverviewFragment.java +++ b/app/src/main/java/org/glucosio/android/fragment/OverviewFragment.java @@ -123,7 +123,7 @@ public View onCreateView(LayoutInflater inflater, ViewGroup container, legend.setEnabled(false); loadLastReading(); - loadGlucoseTrend(); + // loadGlucoseTrend(); loadRandomTip(); } else { @@ -182,11 +182,11 @@ private void loadLastReading(){ } } - private void loadGlucoseTrend(){ +/* private void loadGlucoseTrend(){ if (!presenter.isdbEmpty()) { trendTextView.setText(presenter.getGlucoseTrend() + ""); } - } + }*/ private void loadRandomTip(){ TipsManager tipsManager = new TipsManager(getActivity().getApplicationContext(), presenter.getUserAge()); diff --git a/app/src/main/java/org/glucosio/android/presenter/HelloPresenter.java b/app/src/main/java/org/glucosio/android/presenter/HelloPresenter.java index c3fc2b5c..f5c17b25 100644 --- a/app/src/main/java/org/glucosio/android/presenter/HelloPresenter.java +++ b/app/src/main/java/org/glucosio/android/presenter/HelloPresenter.java @@ -24,7 +24,7 @@ public class HelloPresenter { public HelloPresenter(HelloActivity helloActivity) { this.helloActivity = helloActivity; - dB = DatabaseHandler.getInstance(helloActivity); + dB = new DatabaseHandler(); } public void loadDatabase(){ diff --git a/app/src/main/java/org/glucosio/android/presenter/HistoryPresenter.java b/app/src/main/java/org/glucosio/android/presenter/HistoryPresenter.java index 70c77cbc..568ea772 100644 --- a/app/src/main/java/org/glucosio/android/presenter/HistoryPresenter.java +++ b/app/src/main/java/org/glucosio/android/presenter/HistoryPresenter.java @@ -13,7 +13,7 @@ public class HistoryPresenter { DatabaseHandler dB; - private ArrayList id; + private ArrayList id; private ArrayList reading; private ArrayList type; private ArrayList datetime; @@ -22,7 +22,7 @@ public class HistoryPresenter { public HistoryPresenter(HistoryFragment historyFragment) { this.fragment = historyFragment; - dB = DatabaseHandler.getInstance(historyFragment.getActivity()); + dB = new DatabaseHandler(); } public boolean isdbEmpty(){ @@ -54,7 +54,7 @@ private void removeReadingFromDb(GlucoseReading gReading) { } // Getters - public ArrayList getId() { + public ArrayList getId() { return id; } diff --git a/app/src/main/java/org/glucosio/android/presenter/MainPresenter.java b/app/src/main/java/org/glucosio/android/presenter/MainPresenter.java index 5add3959..0b857142 100644 --- a/app/src/main/java/org/glucosio/android/presenter/MainPresenter.java +++ b/app/src/main/java/org/glucosio/android/presenter/MainPresenter.java @@ -28,7 +28,7 @@ public class MainPresenter { public MainPresenter(MainActivity mainActivity) { this.mainActivity = mainActivity; - dB = DatabaseHandler.getInstance(mainActivity); + dB = new DatabaseHandler(); if (dB.getUser(1) == null){ mainActivity.startHelloActivity(); } else { diff --git a/app/src/main/java/org/glucosio/android/presenter/OverviewPresenter.java b/app/src/main/java/org/glucosio/android/presenter/OverviewPresenter.java index 73a7649d..551bbdf4 100644 --- a/app/src/main/java/org/glucosio/android/presenter/OverviewPresenter.java +++ b/app/src/main/java/org/glucosio/android/presenter/OverviewPresenter.java @@ -22,7 +22,7 @@ public class OverviewPresenter { public OverviewPresenter(OverviewFragment overviewFragment) { - dB = DatabaseHandler.getInstance(overviewFragment.getActivity()); + dB = new DatabaseHandler(); this.fragment = overviewFragment; } @@ -41,9 +41,9 @@ public String convertDate(String date) { return fragment.convertDate(date); } - public int getGlucoseTrend(){ +/* public int getGlucoseTrend(){ return dB.getAverageGlucoseReadingForLastMonth(); - } + }*/ public String getLastReading(){ return getReading().get(getReading().size() - 1) + ""; From 573d144d3bc46076dbdab81b13a2296bd62de0f1 Mon Sep 17 00:00:00 2001 From: Paolo Rotolo Date: Mon, 28 Sep 2015 21:39:31 +0200 Subject: [PATCH 039/126] Fixed method to get readings ordered by created DESC. --- app/src/main/java/org/glucosio/android/db/GlucoseReading.java | 4 ++-- .../java/org/glucosio/android/presenter/HistoryPresenter.java | 1 - 2 files changed, 2 insertions(+), 3 deletions(-) diff --git a/app/src/main/java/org/glucosio/android/db/GlucoseReading.java b/app/src/main/java/org/glucosio/android/db/GlucoseReading.java index 8810b171..664de8fc 100644 --- a/app/src/main/java/org/glucosio/android/db/GlucoseReading.java +++ b/app/src/main/java/org/glucosio/android/db/GlucoseReading.java @@ -48,14 +48,14 @@ public static GlucoseReading getGlucoseReading(int id) { public static List getAllGlucoseReading() { return new Select() .from(GlucoseReading.class) - .orderBy("created ASC") + .orderBy("created DESC") .execute(); } public static List getAllGlucoseReading(String where) { return new Select() .from(GlucoseReading.class) - .orderBy("created ASC") + .orderBy("created DESC") .where(where) .execute(); } diff --git a/app/src/main/java/org/glucosio/android/presenter/HistoryPresenter.java b/app/src/main/java/org/glucosio/android/presenter/HistoryPresenter.java index 568ea772..87ab5bff 100644 --- a/app/src/main/java/org/glucosio/android/presenter/HistoryPresenter.java +++ b/app/src/main/java/org/glucosio/android/presenter/HistoryPresenter.java @@ -17,7 +17,6 @@ public class HistoryPresenter { private ArrayList reading; private ArrayList type; private ArrayList datetime; - GlucoseReading readingToRestore; HistoryFragment fragment; public HistoryPresenter(HistoryFragment historyFragment) { From 76f909b2c6a9e725929c10fdc7baca65c7667b6c Mon Sep 17 00:00:00 2001 From: Paolo Rotolo Date: Tue, 29 Sep 2015 17:22:47 +0200 Subject: [PATCH 040/126] Update getAllGlucoseReading method. --- .../glucosio/android/db/DatabaseHandler.java | 25 +++++-------------- .../glucosio/android/db/GlucoseReading.java | 8 ++++++ .../android/fragment/OverviewFragment.java | 4 ++- 3 files changed, 17 insertions(+), 20 deletions(-) diff --git a/app/src/main/java/org/glucosio/android/db/DatabaseHandler.java b/app/src/main/java/org/glucosio/android/db/DatabaseHandler.java index 8ac96a24..1cdb71a7 100644 --- a/app/src/main/java/org/glucosio/android/db/DatabaseHandler.java +++ b/app/src/main/java/org/glucosio/android/db/DatabaseHandler.java @@ -1,28 +1,13 @@ package org.glucosio.android.db; -import android.content.ContentValues; -import android.content.Context; -import android.database.Cursor; -import android.database.sqlite.SQLiteDatabase; -import android.database.sqlite.SQLiteOpenHelper; -import android.opengl.GLU; -import android.util.Log; - -import java.lang.reflect.Array; import java.text.DateFormat; import java.text.SimpleDateFormat; import java.util.ArrayList; -import java.util.Date; import java.util.List; import java.util.Calendar; public class DatabaseHandler { - - /** - * Constructor should be private to prevent direct instantiation. - * Make a call to the static method "getInstance()" instead. - */ public DatabaseHandler() { } @@ -128,7 +113,7 @@ public List getGlucoseReadingsByMonth(int month){ return getGlucoseReadings(" strftime('%m',created)='"+m+"'"); } -/* private ArrayList getGlucoseReadingsForLastMonthAsArray(){ + /*private ArrayList getGlucoseReadingsForLastMonthAsArray(){ Calendar calendar = Calendar.getInstance(); DateFormat inputFormat = new SimpleDateFormat("yyyy-MM-dd HH:mm"); String now = inputFormat.format(calendar.getTime()); @@ -136,7 +121,9 @@ public List getGlucoseReadingsByMonth(int month){ String oneMonthAgo = inputFormat.format(calendar.getTime()); - String whereString = "created_at between " + oneMonthAgo + " and " + now; + String[] parameters = new String[] { oneMonthAgo, now } ; + String[] columns = new String[] { "reading" }; + String whereString = "created_at between ? and ?"; List gReadings; ArrayList readings = new ArrayList(); @@ -148,9 +135,9 @@ public List getGlucoseReadingsByMonth(int month){ } return readings; - } + }*/ - public Integer getAverageGlucoseReadingForLastMonth() { +/* public Integer getAverageGlucoseReadingForLastMonth() { ArrayList readings = getGlucoseReadingsForLastMonthAsArray(); int sum = 0; int numberOfReadings = readings.size(); diff --git a/app/src/main/java/org/glucosio/android/db/GlucoseReading.java b/app/src/main/java/org/glucosio/android/db/GlucoseReading.java index 664de8fc..d64923b5 100644 --- a/app/src/main/java/org/glucosio/android/db/GlucoseReading.java +++ b/app/src/main/java/org/glucosio/android/db/GlucoseReading.java @@ -60,6 +60,14 @@ public static List getAllGlucoseReading(String where) { .execute(); } + public static List getAllGlucoseReading(String where, Object args, String[] columns) { + return new Select(columns) + .from(GlucoseReading.class) + .orderBy("created DESC") + .where(where, args) + .execute(); + } + public String get_notes(){ return this._notes; } diff --git a/app/src/main/java/org/glucosio/android/fragment/OverviewFragment.java b/app/src/main/java/org/glucosio/android/fragment/OverviewFragment.java index 2183a764..0930f7cb 100644 --- a/app/src/main/java/org/glucosio/android/fragment/OverviewFragment.java +++ b/app/src/main/java/org/glucosio/android/fragment/OverviewFragment.java @@ -123,7 +123,9 @@ public View onCreateView(LayoutInflater inflater, ViewGroup container, legend.setEnabled(false); loadLastReading(); - // loadGlucoseTrend(); +/* + loadGlucoseTrend(); +*/ loadRandomTip(); } else { From 59f43c1b95313932c53e43a530008f8c0281ac63 Mon Sep 17 00:00:00 2001 From: Paolo Rotolo Date: Wed, 30 Sep 2015 19:10:42 +0200 Subject: [PATCH 041/126] All buttons are now bold. Closes #72. --- .../org/glucosio/android/db/DatabaseHandler.java | 2 +- .../java/org/glucosio/android/db/GlucoseReading.java | 12 ++++++++++-- app/src/main/res/layout/activity_hello.xml | 2 ++ app/src/main/res/layout/activity_licence.xml | 1 + app/src/main/res/layout/dialog_add.xml | 2 ++ 5 files changed, 16 insertions(+), 3 deletions(-) diff --git a/app/src/main/java/org/glucosio/android/db/DatabaseHandler.java b/app/src/main/java/org/glucosio/android/db/DatabaseHandler.java index 1cdb71a7..0f508d56 100644 --- a/app/src/main/java/org/glucosio/android/db/DatabaseHandler.java +++ b/app/src/main/java/org/glucosio/android/db/DatabaseHandler.java @@ -40,7 +40,7 @@ public List getGlucoseReadings() { } public List getGlucoseReadings(String where) { - return GlucoseReading.getAllGlucoseReading(where); + return GlucoseReading.getGlucoseReadings(where); } public ArrayList getGlucoseIdAsArray(){ diff --git a/app/src/main/java/org/glucosio/android/db/GlucoseReading.java b/app/src/main/java/org/glucosio/android/db/GlucoseReading.java index d64923b5..f057ad15 100644 --- a/app/src/main/java/org/glucosio/android/db/GlucoseReading.java +++ b/app/src/main/java/org/glucosio/android/db/GlucoseReading.java @@ -52,7 +52,7 @@ public static List getAllGlucoseReading() { .execute(); } - public static List getAllGlucoseReading(String where) { + public static List getGlucoseReadings(String where) { return new Select() .from(GlucoseReading.class) .orderBy("created DESC") @@ -60,7 +60,15 @@ public static List getAllGlucoseReading(String where) { .execute(); } - public static List getAllGlucoseReading(String where, Object args, String[] columns) { + public static List getGlucoseReadings(String where, Object args) { + return new Select() + .from(GlucoseReading.class) + .orderBy("created DESC") + .where(where, args) + .execute(); + } + + public static List getGlucoseReadings(String where, Object args, String[] columns) { return new Select(columns) .from(GlucoseReading.class) .orderBy("created DESC") diff --git a/app/src/main/res/layout/activity_hello.xml b/app/src/main/res/layout/activity_hello.xml index 7c6c7dcf..42def22c 100644 --- a/app/src/main/res/layout/activity_hello.xml +++ b/app/src/main/res/layout/activity_hello.xml @@ -109,6 +109,7 @@ android:layout_width="wrap_content" android:layout_height="wrap_content" android:text="@string/helloactivity_button_next" + android:textStyle="bold" android:drawableEnd="@drawable/ic_navigate_next_pink_24px" android:drawableRight="@drawable/ic_navigate_next_pink_24px" android:padding="8dp" @@ -148,6 +149,7 @@ android:layout_height="wrap_content" android:enabled="false" android:text="@string/helloactivity_button_start" + android:textStyle="bold" android:layout_marginTop="24dp" android:onClick="onStartClicked" android:padding="8dp" diff --git a/app/src/main/res/layout/activity_licence.xml b/app/src/main/res/layout/activity_licence.xml index 614fbb57..1389f81f 100644 --- a/app/src/main/res/layout/activity_licence.xml +++ b/app/src/main/res/layout/activity_licence.xml @@ -17,6 +17,7 @@ android:layout_width="wrap_content" android:layout_height="wrap_content" android:text="@string/mdtp_ok" + android:textStyle="bold" android:layout_marginRight="16dp" android:padding="16dp" android:background="?android:attr/selectableItemBackground" diff --git a/app/src/main/res/layout/dialog_add.xml b/app/src/main/res/layout/dialog_add.xml index ea659ec0..1fe01647 100644 --- a/app/src/main/res/layout/dialog_add.xml +++ b/app/src/main/res/layout/dialog_add.xml @@ -121,6 +121,7 @@ android:layout_width="wrap_content" android:layout_height="wrap_content" android:text="@string/dialog_add_cancel" + android:textStyle="bold" android:padding="8dp" android:background="?android:attr/selectableItemBackground" android:textColor="@color/glucosio_text" @@ -130,6 +131,7 @@ android:layout_width="wrap_content" android:layout_height="wrap_content" android:text="@string/dialog_add_add" + android:textStyle="bold" android:padding="8dp" android:background="?android:attr/selectableItemBackground" android:textColor="@color/glucosio_pink" From 44a5d5cd536d65e811db48486a895ea12ee661b7 Mon Sep 17 00:00:00 2001 From: Paolo Rotolo Date: Wed, 30 Sep 2015 19:27:40 +0200 Subject: [PATCH 042/126] Fixes fonts. Closes #68. --- app/src/main/AndroidManifest.xml | 2 +- .../glucosio/android/GlucosioApplication.java | 23 +++++++++++++++++++ .../android/activity/GittyActivity.java | 12 ---------- .../android/activity/HelloActivity.java | 12 ---------- .../android/activity/LicenceActivity.java | 12 ---------- .../android/activity/MainActivity.java | 12 ---------- .../android/activity/PreferencesActivity.java | 12 ---------- 7 files changed, 24 insertions(+), 61 deletions(-) create mode 100644 app/src/main/java/org/glucosio/android/GlucosioApplication.java diff --git a/app/src/main/AndroidManifest.xml b/app/src/main/AndroidManifest.xml index 2410c03b..3dacf321 100644 --- a/app/src/main/AndroidManifest.xml +++ b/app/src/main/AndroidManifest.xml @@ -3,7 +3,7 @@ package="org.glucosio.android" > Date: Wed, 30 Sep 2015 23:01:47 +0200 Subject: [PATCH 043/126] refactoring queries to use ORM --- .../glucosio/android/db/DatabaseHandler.java | 49 +++++-------------- .../glucosio/android/db/GlucoseReading.java | 8 +++ 2 files changed, 19 insertions(+), 38 deletions(-) diff --git a/app/src/main/java/org/glucosio/android/db/DatabaseHandler.java b/app/src/main/java/org/glucosio/android/db/DatabaseHandler.java index 0f508d56..50b40b7b 100644 --- a/app/src/main/java/org/glucosio/android/db/DatabaseHandler.java +++ b/app/src/main/java/org/glucosio/android/db/DatabaseHandler.java @@ -113,7 +113,7 @@ public List getGlucoseReadingsByMonth(int month){ return getGlucoseReadings(" strftime('%m',created)='"+m+"'"); } - /*private ArrayList getGlucoseReadingsForLastMonthAsArray(){ + private ArrayList getGlucoseReadingsForLastMonthAsArray(){ Calendar calendar = Calendar.getInstance(); DateFormat inputFormat = new SimpleDateFormat("yyyy-MM-dd HH:mm"); String now = inputFormat.format(calendar.getTime()); @@ -128,16 +128,16 @@ public List getGlucoseReadingsByMonth(int month){ List gReadings; ArrayList readings = new ArrayList(); - gReadings = GlucoseReading.getAllGlucoseReading(whereString); + gReadings = GlucoseReading.getGlucoseReadings(whereString); int i; for (i=0; i < gReadings.size(); i++){ readings.add(gReadings.get(i).get_reading()); } return readings; - }*/ + } -/* public Integer getAverageGlucoseReadingForLastMonth() { + public Integer getAverageGlucoseReadingForLastMonth() { ArrayList readings = getGlucoseReadingsForLastMonthAsArray(); int sum = 0; int numberOfReadings = readings.size(); @@ -149,42 +149,15 @@ public List getGlucoseReadingsByMonth(int month){ } else { return 0; } - }*/ - -/* private ArrayList getAverageGlucoseReadingsByWeek(){ + } - SQLiteDatabase db=this.getReadableDatabase(); + private List getAverageGlucoseReadingsByWeek(){ String[] columns = new String[] { "reading", "strftime('%Y%W', created_at) AS week" }; + return GlucoseReading.getGlucoseReadingsByGroup(columns, "week"); + } - Cursor cursor = db.query(false, "glucose_readings", columns,null, null, "week", null, null, null); - - ArrayList readings = new ArrayList(); - - if(cursor.moveToFirst()){ - do{ - readings.add(cursor.getInt(0)); - }while(cursor.moveToNext()); - } - return readings; - }*/ - - -/* private ArrayList getAverageGlucoseReadingsByMonth(){ - - SQLiteDatabase db=this.getReadableDatabase(); + private List getAverageGlucoseReadingsByMonth() { String[] columns = new String[] { "reading", "strftime('%Y%m', created_at) AS month" }; - - Cursor cursor = db.query(false, "glucose_readings", columns,null, null, "month", null, null, null); - - ArrayList readings = new ArrayList(); - - if(cursor.moveToFirst()){ - do{ - readings.add(cursor.getInt(0)); - }while(cursor.moveToNext()); - } - return readings; - }*/ - - + return GlucoseReading.getGlucoseReadingsByGroup(columns, "month"); + } } diff --git a/app/src/main/java/org/glucosio/android/db/GlucoseReading.java b/app/src/main/java/org/glucosio/android/db/GlucoseReading.java index f057ad15..b48fa40e 100644 --- a/app/src/main/java/org/glucosio/android/db/GlucoseReading.java +++ b/app/src/main/java/org/glucosio/android/db/GlucoseReading.java @@ -76,6 +76,14 @@ public static List getGlucoseReadings(String where, Object args, .execute(); } + public static List getGlucoseReadingsByGroup(String[] columns, String groupBy) { + return new Select(columns) + .from(GlucoseReading.class) + .orderBy("created DESC") + .groupBy(groupBy) + .execute(); + } + public String get_notes(){ return this._notes; } From e5825272af903cb7349d3fc33b4f437119853164 Mon Sep 17 00:00:00 2001 From: Paolo Rotolo Date: Thu, 1 Oct 2015 19:49:56 +0200 Subject: [PATCH 044/126] Add curved line in empty layout. --- app/build.gradle | 1 + .../android/activity/MainActivity.java | 22 +++ .../android/fragment/HistoryFragment.java | 157 +++++++++--------- .../android/fragment/OverviewFragment.java | 134 ++++++++------- .../android/presenter/HistoryPresenter.java | 4 - .../android/presenter/MainPresenter.java | 4 + app/src/main/res/drawable/curved_line.xml | 20 +++ app/src/main/res/layout/activity_main.xml | 57 ++++++- app/src/main/res/layout/fragment_empty.xml | 17 -- app/src/main/res/values/attrs.xml | 5 + 10 files changed, 250 insertions(+), 171 deletions(-) create mode 100644 app/src/main/res/drawable/curved_line.xml delete mode 100644 app/src/main/res/layout/fragment_empty.xml create mode 100644 app/src/main/res/values/attrs.xml diff --git a/app/build.gradle b/app/build.gradle index fe18b079..cb0763b2 100644 --- a/app/build.gradle +++ b/app/build.gradle @@ -44,4 +44,5 @@ dependencies { compile 'uk.co.chrisjenx:calligraphy:2.1.0' compile 'com.github.paolorotolo:gitty_reporter:1.1.1' compile 'com.michaelpardo:activeandroid:3.1.0-SNAPSHOT' + compile 'com.wnafee:vector-compat:1.0.5' } diff --git a/app/src/main/java/org/glucosio/android/activity/MainActivity.java b/app/src/main/java/org/glucosio/android/activity/MainActivity.java index 73c7b4e2..b9c40b87 100644 --- a/app/src/main/java/org/glucosio/android/activity/MainActivity.java +++ b/app/src/main/java/org/glucosio/android/activity/MainActivity.java @@ -24,12 +24,15 @@ import android.widget.AdapterView; import android.widget.EdgeEffect; import android.widget.EditText; +import android.widget.ImageView; +import android.widget.LinearLayout; import android.widget.TextView; import android.widget.Toast; import com.wdullaer.materialdatetimepicker.date.DatePickerDialog; import com.wdullaer.materialdatetimepicker.time.RadialPickerLayout; import com.wdullaer.materialdatetimepicker.time.TimePickerDialog; +import com.wnafee.vector.compat.VectorDrawable; import org.glucosio.android.R; import org.glucosio.android.adapter.HomePagerAdapter; @@ -110,6 +113,8 @@ public void onPageScrollStateChanged(int state) { } }); + + checkIfEmptyLayout(); } public void startHelloActivity() { @@ -394,6 +399,7 @@ private void dialogOnAddButtonPressed() { public void dismissAddDialog(){ addDialog.dismiss(); homePagerAdapter.notifyDataSetChanged(); + checkIfEmptyLayout(); } public void showErrorMessage(){ @@ -496,6 +502,22 @@ public void onAnimationEnd(Animator animation) { } } + public void checkIfEmptyLayout(){ + LinearLayout emptyLayout = (LinearLayout) findViewById(R.id.mainactivity_empty_layout); + ViewPager pager = (ViewPager) findViewById(R.id.pager); + + if (presenter.isdbEmpty()) { + pager.setVisibility(View.GONE); + emptyLayout.setVisibility(View.VISIBLE); + + ImageView arrow = (ImageView) findViewById(R.id.mainactivity_arrow); + arrow.setBackground(VectorDrawable.getDrawable(getApplicationContext(), R.drawable.curved_line)); + } else { + pager.setVisibility(View.VISIBLE); + emptyLayout.setVisibility(View.INVISIBLE); + } + } + public int typeStringToInt(String typeString) { //TODO refactor this ugly mess int typeInt; diff --git a/app/src/main/java/org/glucosio/android/fragment/HistoryFragment.java b/app/src/main/java/org/glucosio/android/fragment/HistoryFragment.java index 3374dda6..cceadb85 100644 --- a/app/src/main/java/org/glucosio/android/fragment/HistoryFragment.java +++ b/app/src/main/java/org/glucosio/android/fragment/HistoryFragment.java @@ -57,89 +57,85 @@ public View onCreateView(LayoutInflater inflater, ViewGroup container, presenter = new HistoryPresenter(this); presenter.loadDatabase(); - if (!presenter.isdbEmpty()) { - mFragmentView = inflater.inflate(R.layout.fragment_history, container, false); - - mRecyclerView = (RecyclerView) mFragmentView.findViewById(R.id.fragment_history_recycler_view); - mAdapter = new HistoryAdapter(super.getActivity().getApplicationContext(), presenter); - - // use this setting to improve performance if you know that changes - // in content do not change the layout size of the RecyclerView - mRecyclerView.setHasFixedSize(false); - - // use a linear layout manager - mLayoutManager = new LinearLayoutManager(super.getActivity()); - mRecyclerView.setLayoutManager(mLayoutManager); - mRecyclerView.setItemAnimator(new DefaultItemAnimator()); - - mRecyclerView.setAdapter(mAdapter); - mRecyclerView.addOnItemTouchListener(new RecyclerItemClickListener(getActivity(), mRecyclerView, new RecyclerItemClickListener.OnItemClickListener() { - @Override - public void onItemClick(View view, int position) { - // Do nothing - } - - @Override - public void onItemLongClick(View view, final int position) { - CharSequence colors[] = new CharSequence[]{getResources().getString(R.string.dialog_edit), getResources().getString(R.string.dialog_delete)}; - - AlertDialog.Builder builder = new AlertDialog.Builder(getActivity()); - builder.setItems(colors, new DialogInterface.OnClickListener() { - @Override - public void onClick(DialogInterface dialog, int which) { - if (which == 0) { - // EDIT - TextView idTextView = (TextView) mRecyclerView.getChildAt(position).findViewById(R.id.item_history_id); - final int idToEdit = Integer.parseInt(idTextView.getText().toString()); - ((MainActivity) getActivity()).showEditDialog(idToEdit); - } else { - // DELETE - TextView idTextView = (TextView) mRecyclerView.getChildAt(position).findViewById(R.id.item_history_id); - final int idToDelete = Integer.parseInt(idTextView.getText().toString()); - final CardView item = (CardView) mRecyclerView.getChildAt(position).findViewById(R.id.item_history); - item.animate().alpha(0.0f).setDuration(2000); - Snackbar.make(((MainActivity) getActivity()).getFabView(), R.string.fragment_history_snackbar_text, Snackbar.LENGTH_SHORT).setCallback(new Snackbar.Callback() { - @Override - public void onDismissed(Snackbar snackbar, int event) { - switch (event) { - case Snackbar.Callback.DISMISS_EVENT_ACTION: - // Do nothing, see Undo onClickListener - break; - case Snackbar.Callback.DISMISS_EVENT_TIMEOUT: - presenter.onDeleteClicked(idToDelete); - break; - } - } + mFragmentView = inflater.inflate(R.layout.fragment_history, container, false); - @Override - public void onShown(Snackbar snackbar) { - // Do nothing - } - }).setAction("UNDO", new View.OnClickListener() { - @Override - public void onClick(View v) { - item.clearAnimation(); - item.setAlpha(1.0f); - mAdapter.notifyDataSetChanged(); + mRecyclerView = (RecyclerView) mFragmentView.findViewById(R.id.fragment_history_recycler_view); + mAdapter = new HistoryAdapter(super.getActivity().getApplicationContext(), presenter); + + // use this setting to improve performance if you know that changes + // in content do not change the layout size of the RecyclerView + mRecyclerView.setHasFixedSize(false); + + // use a linear layout manager + mLayoutManager = new LinearLayoutManager(super.getActivity()); + mRecyclerView.setLayoutManager(mLayoutManager); + mRecyclerView.setItemAnimator(new DefaultItemAnimator()); + + mRecyclerView.setAdapter(mAdapter); + mRecyclerView.addOnItemTouchListener(new RecyclerItemClickListener(getActivity(), mRecyclerView, new RecyclerItemClickListener.OnItemClickListener() { + @Override + public void onItemClick(View view, int position) { + // Do nothing + } + + @Override + public void onItemLongClick(View view, final int position) { + CharSequence colors[] = new CharSequence[]{getResources().getString(R.string.dialog_edit), getResources().getString(R.string.dialog_delete)}; + + AlertDialog.Builder builder = new AlertDialog.Builder(getActivity()); + builder.setItems(colors, new DialogInterface.OnClickListener() { + @Override + public void onClick(DialogInterface dialog, int which) { + if (which == 0) { + // EDIT + TextView idTextView = (TextView) mRecyclerView.getChildAt(position).findViewById(R.id.item_history_id); + final int idToEdit = Integer.parseInt(idTextView.getText().toString()); + ((MainActivity) getActivity()).showEditDialog(idToEdit); + } else { + // DELETE + TextView idTextView = (TextView) mRecyclerView.getChildAt(position).findViewById(R.id.item_history_id); + final int idToDelete = Integer.parseInt(idTextView.getText().toString()); + final CardView item = (CardView) mRecyclerView.getChildAt(position).findViewById(R.id.item_history); + item.animate().alpha(0.0f).setDuration(2000); + Snackbar.make(((MainActivity) getActivity()).getFabView(), R.string.fragment_history_snackbar_text, Snackbar.LENGTH_SHORT).setCallback(new Snackbar.Callback() { + @Override + public void onDismissed(Snackbar snackbar, int event) { + switch (event) { + case Snackbar.Callback.DISMISS_EVENT_ACTION: + // Do nothing, see Undo onClickListener + break; + case Snackbar.Callback.DISMISS_EVENT_TIMEOUT: + presenter.onDeleteClicked(idToDelete); + break; } - }).setActionTextColor(getResources().getColor(R.color.glucosio_accent)).show(); - } + } + + @Override + public void onShown(Snackbar snackbar) { + // Do nothing + } + }).setAction("UNDO", new View.OnClickListener() { + @Override + public void onClick(View v) { + item.clearAnimation(); + item.setAlpha(1.0f); + mAdapter.notifyDataSetChanged(); + } + }).setActionTextColor(getResources().getColor(R.color.glucosio_accent)).show(); } - }); - builder.show(); - } - })); - - mRecyclerView.addOnLayoutChangeListener(new View.OnLayoutChangeListener() { - @Override - public void onLayoutChange(View v, int left, int top, int right, int bottom, int oldLeft, int oldTop, int oldRight, int oldBottom) { - mRecyclerView.removeOnLayoutChangeListener(this); - updateToolbarBehaviour(); - } - }); - } else { - mFragmentView = inflater.inflate(R.layout.fragment_empty, container, false); - } + } + }); + builder.show(); + } + })); + + mRecyclerView.addOnLayoutChangeListener(new View.OnLayoutChangeListener() { + @Override + public void onLayoutChange(View v, int left, int top, int right, int bottom, int oldLeft, int oldTop, int oldRight, int oldBottom) { + mRecyclerView.removeOnLayoutChangeListener(this); + updateToolbarBehaviour(); + } + }); return mFragmentView; } @@ -167,5 +163,6 @@ public void notifyAdapter(){ public void reloadFragmentAdapter(){ ((MainActivity)getActivity()).reloadFragmentAdapter(); + ((MainActivity)getActivity()).checkIfEmptyLayout(); } } diff --git a/app/src/main/java/org/glucosio/android/fragment/OverviewFragment.java b/app/src/main/java/org/glucosio/android/fragment/OverviewFragment.java index 0930f7cb..8c425cfd 100644 --- a/app/src/main/java/org/glucosio/android/fragment/OverviewFragment.java +++ b/app/src/main/java/org/glucosio/android/fragment/OverviewFragment.java @@ -59,78 +59,74 @@ public View onCreateView(LayoutInflater inflater, ViewGroup container, presenter = new OverviewPresenter(this); presenter.loadDatabase(); - if (!presenter.isdbEmpty()) { - mFragmentView = inflater.inflate(R.layout.fragment_overview, container, false); - - chart = (LineChart) mFragmentView.findViewById(R.id.chart); - Legend legend = chart.getLegend(); - - Collections.reverse(presenter.getReading()); - Collections.reverse(presenter.getDatetime()); - Collections.reverse(presenter.getType()); - - readingTextView = (TextView) mFragmentView.findViewById(R.id.item_history_reading); - trendTextView = (TextView) mFragmentView.findViewById(R.id.item_history_trend); - tipTextView = (TextView) mFragmentView.findViewById(R.id.random_tip_textview); - - XAxis xAxis = chart.getXAxis(); - xAxis.setDrawGridLines(false); - xAxis.setPosition(XAxis.XAxisPosition.BOTTOM); - xAxis.setTextColor(getResources().getColor(R.color.glucosio_text_light)); - - LimitLine ll1 = new LimitLine(130f, "High"); - ll1.setLineWidth(1f); - ll1.setLineColor(getResources().getColor(R.color.glucosio_gray_light)); - ll1.setTextColor(getResources().getColor(R.color.glucosio_text)); - - LimitLine ll2 = new LimitLine(70f, "Low"); - ll2.setLineWidth(1f); - ll2.setLineColor(getResources().getColor(R.color.glucosio_gray_light)); - ll2.setTextColor(getResources().getColor(R.color.glucosio_text)); - - LimitLine ll3 = new LimitLine(200f, "Hyper"); - ll3.setLineWidth(1f); - ll3.enableDashedLine(10, 10, 10); - ll3.setLineColor(getResources().getColor(R.color.glucosio_gray_light)); - ll3.setTextColor(getResources().getColor(R.color.glucosio_text)); - - LimitLine ll4 = new LimitLine(50f, "Hypo"); - ll4.setLineWidth(1f); - ll4.enableDashedLine(10, 10, 10); - ll4.setLineColor(getResources().getColor(R.color.glucosio_gray_light)); - ll4.setTextColor(getResources().getColor(R.color.glucosio_text)); - - YAxis leftAxis = chart.getAxisLeft(); - leftAxis.removeAllLimitLines(); // reset all limit lines to avoid overlapping lines - leftAxis.addLimitLine(ll1); - leftAxis.addLimitLine(ll2); - leftAxis.addLimitLine(ll3); - leftAxis.addLimitLine(ll4); - leftAxis.setTextColor(getResources().getColor(R.color.glucosio_text_light)); - leftAxis.setStartAtZero(false); - //leftAxis.setYOffset(20f); - leftAxis.disableGridDashedLine(); - leftAxis.setDrawGridLines(false); - - // limit lines are drawn behind data (and not on top) - leftAxis.setDrawLimitLinesBehindData(true); - - chart.getAxisRight().setEnabled(false); - chart.setBackgroundColor(Color.parseColor("#FFFFFF")); - chart.setDescription(""); - chart.setGridBackgroundColor(Color.parseColor("#FFFFFF")); - setData(); - legend.setEnabled(false); - - loadLastReading(); + mFragmentView = inflater.inflate(R.layout.fragment_overview, container, false); + + chart = (LineChart) mFragmentView.findViewById(R.id.chart); + Legend legend = chart.getLegend(); + + Collections.reverse(presenter.getReading()); + Collections.reverse(presenter.getDatetime()); + Collections.reverse(presenter.getType()); + + readingTextView = (TextView) mFragmentView.findViewById(R.id.item_history_reading); + trendTextView = (TextView) mFragmentView.findViewById(R.id.item_history_trend); + tipTextView = (TextView) mFragmentView.findViewById(R.id.random_tip_textview); + + XAxis xAxis = chart.getXAxis(); + xAxis.setDrawGridLines(false); + xAxis.setPosition(XAxis.XAxisPosition.BOTTOM); + xAxis.setTextColor(getResources().getColor(R.color.glucosio_text_light)); + + LimitLine ll1 = new LimitLine(130f, "High"); + ll1.setLineWidth(1f); + ll1.setLineColor(getResources().getColor(R.color.glucosio_gray_light)); + ll1.setTextColor(getResources().getColor(R.color.glucosio_text)); + + LimitLine ll2 = new LimitLine(70f, "Low"); + ll2.setLineWidth(1f); + ll2.setLineColor(getResources().getColor(R.color.glucosio_gray_light)); + ll2.setTextColor(getResources().getColor(R.color.glucosio_text)); + + LimitLine ll3 = new LimitLine(200f, "Hyper"); + ll3.setLineWidth(1f); + ll3.enableDashedLine(10, 10, 10); + ll3.setLineColor(getResources().getColor(R.color.glucosio_gray_light)); + ll3.setTextColor(getResources().getColor(R.color.glucosio_text)); + + LimitLine ll4 = new LimitLine(50f, "Hypo"); + ll4.setLineWidth(1f); + ll4.enableDashedLine(10, 10, 10); + ll4.setLineColor(getResources().getColor(R.color.glucosio_gray_light)); + ll4.setTextColor(getResources().getColor(R.color.glucosio_text)); + + YAxis leftAxis = chart.getAxisLeft(); + leftAxis.removeAllLimitLines(); // reset all limit lines to avoid overlapping lines + leftAxis.addLimitLine(ll1); + leftAxis.addLimitLine(ll2); + leftAxis.addLimitLine(ll3); + leftAxis.addLimitLine(ll4); + leftAxis.setTextColor(getResources().getColor(R.color.glucosio_text_light)); + leftAxis.setStartAtZero(false); + //leftAxis.setYOffset(20f); + leftAxis.disableGridDashedLine(); + leftAxis.setDrawGridLines(false); + + // limit lines are drawn behind data (and not on top) + leftAxis.setDrawLimitLinesBehindData(true); + + chart.getAxisRight().setEnabled(false); + chart.setBackgroundColor(Color.parseColor("#FFFFFF")); + chart.setDescription(""); + chart.setGridBackgroundColor(Color.parseColor("#FFFFFF")); + setData(); + legend.setEnabled(false); + + loadLastReading(); /* - loadGlucoseTrend(); + loadGlucoseTrend(); */ - loadRandomTip(); + loadRandomTip(); - } else { - mFragmentView = inflater.inflate(R.layout.fragment_empty, container, false); - } return mFragmentView; } diff --git a/app/src/main/java/org/glucosio/android/presenter/HistoryPresenter.java b/app/src/main/java/org/glucosio/android/presenter/HistoryPresenter.java index 87ab5bff..32f61aeb 100644 --- a/app/src/main/java/org/glucosio/android/presenter/HistoryPresenter.java +++ b/app/src/main/java/org/glucosio/android/presenter/HistoryPresenter.java @@ -24,10 +24,6 @@ public HistoryPresenter(HistoryFragment historyFragment) { dB = new DatabaseHandler(); } - public boolean isdbEmpty(){ - return dB.getGlucoseReadings().size() == 0; - } - public void loadDatabase(){ this.id = dB.getGlucoseIdAsArray(); this.reading = dB.getGlucoseReadingAsArray(); diff --git a/app/src/main/java/org/glucosio/android/presenter/MainPresenter.java b/app/src/main/java/org/glucosio/android/presenter/MainPresenter.java index 0b857142..5b3e5e53 100644 --- a/app/src/main/java/org/glucosio/android/presenter/MainPresenter.java +++ b/app/src/main/java/org/glucosio/android/presenter/MainPresenter.java @@ -39,6 +39,10 @@ public MainPresenter(MainActivity mainActivity) { } } + public boolean isdbEmpty(){ + return dB.getGlucoseReadings().size() == 0; + } + public void updateSpinnerTypeTime() { getCurrentTime(); mainActivity.updateSpinnerTypeTime(timeToSpinnerType()); diff --git a/app/src/main/res/drawable/curved_line.xml b/app/src/main/res/drawable/curved_line.xml new file mode 100644 index 00000000..407292e5 --- /dev/null +++ b/app/src/main/res/drawable/curved_line.xml @@ -0,0 +1,20 @@ + + + + + \ No newline at end of file diff --git a/app/src/main/res/layout/activity_main.xml b/app/src/main/res/layout/activity_main.xml index 4e0328ef..852fb615 100644 --- a/app/src/main/res/layout/activity_main.xml +++ b/app/src/main/res/layout/activity_main.xml @@ -34,7 +34,62 @@ android:id="@+id/pager" app:layout_behavior="@string/appbar_scrolling_view_behavior" android:layout_width="match_parent" - android:layout_height="match_parent"/> + android:layout_height="match_parent" + android:visibility="visible"/> + + + + + + + + + + + + + + - - - \ No newline at end of file diff --git a/app/src/main/res/values/attrs.xml b/app/src/main/res/values/attrs.xml new file mode 100644 index 00000000..bb11bb71 --- /dev/null +++ b/app/src/main/res/values/attrs.xml @@ -0,0 +1,5 @@ + + + + 1 + \ No newline at end of file From 9cd4bb2a902696eecce2c3930ec4eadc189fe38c Mon Sep 17 00:00:00 2001 From: Paolo Rotolo Date: Thu, 1 Oct 2015 21:08:58 +0200 Subject: [PATCH 045/126] Fix momentum scroll in HelloView TextView. Closes #67. --- .../android/activity/MainActivity.java | 4 +++- app/src/main/res/layout/activity_hello.xml | 19 +++++++++++-------- 2 files changed, 14 insertions(+), 9 deletions(-) diff --git a/app/src/main/java/org/glucosio/android/activity/MainActivity.java b/app/src/main/java/org/glucosio/android/activity/MainActivity.java index b9c40b87..bc8c2223 100644 --- a/app/src/main/java/org/glucosio/android/activity/MainActivity.java +++ b/app/src/main/java/org/glucosio/android/activity/MainActivity.java @@ -5,6 +5,8 @@ import android.app.Dialog; import android.content.Context; import android.content.Intent; +import android.graphics.Bitmap; +import android.graphics.Matrix; import android.support.design.widget.AppBarLayout; import android.support.design.widget.CoordinatorLayout; import android.support.design.widget.TabLayout; @@ -511,7 +513,7 @@ public void checkIfEmptyLayout(){ emptyLayout.setVisibility(View.VISIBLE); ImageView arrow = (ImageView) findViewById(R.id.mainactivity_arrow); - arrow.setBackground(VectorDrawable.getDrawable(getApplicationContext(), R.drawable.curved_line)); + arrow.setBackground((VectorDrawable.getDrawable(getApplicationContext(), R.drawable.curved_line))); } else { pager.setVisibility(View.VISIBLE); emptyLayout.setVisibility(View.INVISIBLE); diff --git a/app/src/main/res/layout/activity_hello.xml b/app/src/main/res/layout/activity_hello.xml index 42def22c..32b30d0f 100644 --- a/app/src/main/res/layout/activity_hello.xml +++ b/app/src/main/res/layout/activity_hello.xml @@ -174,15 +174,18 @@ android:textColor="@color/glucosio_text_dark" android:paddingTop="32dp"/> - + android:layout_height="fill_parent"> + + From 49943c83fc892a587cba38fc1fb2286dd6358a78 Mon Sep 17 00:00:00 2001 From: Paolo Rotolo Date: Thu, 1 Oct 2015 21:26:54 +0200 Subject: [PATCH 046/126] Fix padding in HelloActivity. --- app/src/main/res/layout/activity_hello.xml | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/app/src/main/res/layout/activity_hello.xml b/app/src/main/res/layout/activity_hello.xml index 32b30d0f..9e0f02ce 100644 --- a/app/src/main/res/layout/activity_hello.xml +++ b/app/src/main/res/layout/activity_hello.xml @@ -31,7 +31,7 @@ Date: Thu, 1 Oct 2015 22:08:35 +0200 Subject: [PATCH 047/126] Start working on converson between unit of measurement. --- .../android/activity/MainActivity.java | 16 ++++++ .../android/presenter/MainPresenter.java | 55 +++++++++++++++---- .../android/tools/GlucoseConverter.java | 6 ++ app/src/main/res/layout/dialog_add.xml | 1 + 4 files changed, 67 insertions(+), 11 deletions(-) diff --git a/app/src/main/java/org/glucosio/android/activity/MainActivity.java b/app/src/main/java/org/glucosio/android/activity/MainActivity.java index bc8c2223..f14668f1 100644 --- a/app/src/main/java/org/glucosio/android/activity/MainActivity.java +++ b/app/src/main/java/org/glucosio/android/activity/MainActivity.java @@ -42,6 +42,7 @@ import org.glucosio.android.tools.FormatDateTime; import org.glucosio.android.tools.LabelledSpinner; import org.glucosio.android.tools.LabelledSpinner.OnItemChosenListener; +import org.w3c.dom.Text; import java.text.DecimalFormat; import java.util.Calendar; @@ -228,6 +229,14 @@ public void onClick(View v) { } }); + TextView unitM = (TextView) addDialog.findViewById(R.id.dialog_add_unit_measurement); + + if (presenter.getUnitMeasuerement().equals("mg/dL")){ + unitM.setText("mg/dL"); + } else { + unitM.setText("mmol/L"); + } + // Workaround for ActionBarContextView bug. android.view.ActionMode.Callback workaroundCallback = new android.view.ActionMode.Callback() { @Override @@ -358,6 +367,13 @@ public void onClick(View v){ } }); + TextView unitM = (TextView) addDialog.findViewById(R.id.dialog_add_unit_measurement); + if (presenter.getUnitMeasuerement().equals("mg/dl")){ + unitM.setText("mg/dl"); + } else { + unitM.setText("mmol/L"); + } + // Workaround for ActionBarContextView bug. android.view.ActionMode.Callback workaroundCallback = new android.view.ActionMode.Callback() { @Override diff --git a/app/src/main/java/org/glucosio/android/presenter/MainPresenter.java b/app/src/main/java/org/glucosio/android/presenter/MainPresenter.java index 5b3e5e53..9344fa1a 100644 --- a/app/src/main/java/org/glucosio/android/presenter/MainPresenter.java +++ b/app/src/main/java/org/glucosio/android/presenter/MainPresenter.java @@ -4,6 +4,7 @@ import org.glucosio.android.db.DatabaseHandler; import org.glucosio.android.db.GlucoseReading; import org.glucosio.android.db.User; +import org.glucosio.android.tools.GlucoseConverter; import org.glucosio.android.tools.ReadingTools; import org.glucosio.android.tools.SplitDateTime; @@ -18,6 +19,7 @@ public class MainPresenter { DatabaseHandler dB; User user; ReadingTools rTools; + GlucoseConverter converter; int age; private String readingYear; @@ -93,11 +95,17 @@ public void getGlucoseReadingTimeById(int id){ public void dialogOnAddButtonPressed(String time, String date, String reading, String type){ if (validateDate(date) && validateTime(time) && validateReading(reading) && validateType(type)) { - int finalReading = Integer.parseInt(reading); String finalDateTime = readingYear + "-" + readingMonth + "-" + readingDay + " " + readingHour + ":" + readingMinute; - GlucoseReading gReading = new GlucoseReading(finalReading, type, finalDateTime,""); - dB.addGlucoseReading(gReading); + if (getUnitMeasuerement().equals("mg/dL")) { + int finalReading = Integer.parseInt(reading); + GlucoseReading gReading = new GlucoseReading(finalReading, type, finalDateTime, ""); + dB.addGlucoseReading(gReading); + } else { + int convertedReading = converter.toMgDl(Double.parseDouble(reading)); + GlucoseReading gReading = new GlucoseReading(convertedReading, type, finalDateTime, ""); + dB.addGlucoseReading(gReading); + } mainActivity.dismissAddDialog(); } else { mainActivity.showErrorMessage(); @@ -136,21 +144,46 @@ private boolean validateType(String type){ } private boolean validateReading(String reading) { - try { - Integer readingValue = Integer.parseInt(reading); - if (readingValue > 19 && readingValue < 601) { //valid range is 20-600 - // TODO: Convert range in mmol/L - return true; - } else { + if (getUnitMeasuerement().equals("mg/dL")) { + // We store data in db in mg/dl + try { + Integer readingValue = Integer.parseInt(reading); + if (readingValue > 19 && readingValue < 601) { + //TODO: Add custom ranges + // TODO: Convert range in mmol/L + return true; + } else { + return false; + } + } catch (Exception e) { return false; } - } catch (Exception e) { - return false; + } else { +/* try { + //TODO: Add custom ranges for mmol/L + Integer readingValue = Integer.parseInt(reading); + if (readingValue > 19 && readingValue < 601) { + // TODO: Convert range in mmol/L + return true; + } else { + return false; + } + } catch (Exception e) { + return false; + }*/ + // TODO: return always true: we don't have ranges yet. + return true; } } + // Getters and Setters + + public String getUnitMeasuerement(){ + return dB.getUser(1).get_preferred_unit(); + } + public String getReadingYear() { return readingYear; } diff --git a/app/src/main/java/org/glucosio/android/tools/GlucoseConverter.java b/app/src/main/java/org/glucosio/android/tools/GlucoseConverter.java index 92ec8694..db53427d 100644 --- a/app/src/main/java/org/glucosio/android/tools/GlucoseConverter.java +++ b/app/src/main/java/org/glucosio/android/tools/GlucoseConverter.java @@ -4,6 +4,12 @@ import java.math.RoundingMode; public class GlucoseConverter { + public int toMgDl(double mmolL){ + double converted = mmolL * 18; + int finalInteger = (int) converted; + return finalInteger; + } + public double toMmolL(double mgDl){ return round(mgDl / 18.0, 2); } diff --git a/app/src/main/res/layout/dialog_add.xml b/app/src/main/res/layout/dialog_add.xml index 1fe01647..ef51d1a2 100644 --- a/app/src/main/res/layout/dialog_add.xml +++ b/app/src/main/res/layout/dialog_add.xml @@ -41,6 +41,7 @@ Date: Fri, 2 Oct 2015 17:03:54 +0200 Subject: [PATCH 048/126] Convert values in both mg/dL and mmol/L. --- .../android/adapter/HistoryAdapter.java | 14 ++++++++----- .../android/fragment/OverviewFragment.java | 21 +++++++++++++++---- .../android/presenter/HistoryPresenter.java | 4 ++++ .../android/presenter/MainPresenter.java | 2 +- .../android/presenter/OverviewPresenter.java | 4 ++++ app/src/main/res/layout/dialog_add.xml | 2 +- 6 files changed, 36 insertions(+), 11 deletions(-) diff --git a/app/src/main/java/org/glucosio/android/adapter/HistoryAdapter.java b/app/src/main/java/org/glucosio/android/adapter/HistoryAdapter.java index 05c0940d..786ed536 100644 --- a/app/src/main/java/org/glucosio/android/adapter/HistoryAdapter.java +++ b/app/src/main/java/org/glucosio/android/adapter/HistoryAdapter.java @@ -13,6 +13,7 @@ import org.glucosio.android.db.DatabaseHandler; import org.glucosio.android.presenter.HistoryPresenter; import org.glucosio.android.tools.FormatDateTime; +import org.glucosio.android.tools.GlucoseConverter; import org.glucosio.android.tools.ReadingTools; import java.util.ArrayList; @@ -21,6 +22,7 @@ public class HistoryAdapter extends RecyclerView.Adapter { private Context mContext; private HistoryPresenter presenter; + private GlucoseConverter converter; // Provide a reference to the views for each data item // Complex data items may need more than one view per item, and @@ -50,6 +52,7 @@ public HistoryAdapter.ViewHolder onCreateViewHolder(ViewGroup parent, .inflate(R.layout.fragment_history_item, parent, false); loadDatabase(); + converter = new GlucoseConverter(); ViewHolder vh = new ViewHolder(v); return vh; @@ -69,12 +72,13 @@ public void onBindViewHolder(ViewHolder holder, int position) { Collections.addAll(presenter.getType()); Collections.addAll(presenter.getId()); - // if (db.getUser(1).getUnitMeasurement == mmolL){ - // readingTextView.setText(convert.toMmolL(reading.get(position)) + "mmol/l"); - //} - idTextView.setText(presenter.getId().get(position).toString()); - readingTextView.setText(presenter.getReading().get(position).toString()); + + if (presenter.getUnitMeasuerement().equals("mg/dL")) { + readingTextView.setText(presenter.getReading().get(position).toString() + " mg/dL"); + } else { + readingTextView.setText(converter.toMmolL(Double.parseDouble(presenter.getReading().get(position).toString())) + " mmol/L"); + } datetimeTextView.setText(presenter.convertDate(presenter.getDatetime().get(position))); typeTextView.setText(presenter.getType().get(position)); } diff --git a/app/src/main/java/org/glucosio/android/fragment/OverviewFragment.java b/app/src/main/java/org/glucosio/android/fragment/OverviewFragment.java index 8c425cfd..4343ed4a 100644 --- a/app/src/main/java/org/glucosio/android/fragment/OverviewFragment.java +++ b/app/src/main/java/org/glucosio/android/fragment/OverviewFragment.java @@ -21,6 +21,7 @@ import org.glucosio.android.db.DatabaseHandler; import org.glucosio.android.presenter.OverviewPresenter; import org.glucosio.android.tools.FormatDateTime; +import org.glucosio.android.tools.GlucoseConverter; import org.glucosio.android.tools.ReadingTools; import org.glucosio.android.tools.TipsManager; @@ -139,12 +140,19 @@ private void setData() { xVals.add(date + ""); } + GlucoseConverter converter = new GlucoseConverter(); + ArrayList yVals = new ArrayList(); for (int i = 0; i < presenter.getReading().size(); i++) { - - float val = Float.parseFloat(presenter.getReading().get(i).toString()); - yVals.add(new Entry(val, i)); + if (presenter.getUnitMeasuerement().equals("mg/dL")) { + float val = Float.parseFloat(presenter.getReading().get(i).toString()); + yVals.add(new Entry(val, i)); + } else { + double val = converter.toMmolL(Double.parseDouble(presenter.getReading().get(i).toString())); + float converted = (float) val; + yVals.add(new Entry(converted, i)); + } } // create a dataset and give it a type @@ -176,7 +184,12 @@ private void setData() { private void loadLastReading(){ if (!presenter.isdbEmpty()) { - readingTextView.setText(presenter.getLastReading()); + if (presenter.getUnitMeasuerement().equals("mg/dL")) { + readingTextView.setText(presenter.getLastReading() + " mg/dL"); + } else { + GlucoseConverter converter = new GlucoseConverter(); + readingTextView.setText(converter.toMmolL(Double.parseDouble(presenter.getLastReading().toString())) + " mmol/L"); + } } } diff --git a/app/src/main/java/org/glucosio/android/presenter/HistoryPresenter.java b/app/src/main/java/org/glucosio/android/presenter/HistoryPresenter.java index 32f61aeb..565bb9a9 100644 --- a/app/src/main/java/org/glucosio/android/presenter/HistoryPresenter.java +++ b/app/src/main/java/org/glucosio/android/presenter/HistoryPresenter.java @@ -49,6 +49,10 @@ private void removeReadingFromDb(GlucoseReading gReading) { } // Getters + public String getUnitMeasuerement(){ + return dB.getUser(1).get_preferred_unit(); + } + public ArrayList getId() { return id; } diff --git a/app/src/main/java/org/glucosio/android/presenter/MainPresenter.java b/app/src/main/java/org/glucosio/android/presenter/MainPresenter.java index 9344fa1a..7f4090ab 100644 --- a/app/src/main/java/org/glucosio/android/presenter/MainPresenter.java +++ b/app/src/main/java/org/glucosio/android/presenter/MainPresenter.java @@ -37,7 +37,7 @@ public MainPresenter(MainActivity mainActivity) { user = dB.getUser(1); age = user.get_age(); rTools = new ReadingTools(); - + converter = new GlucoseConverter(); } } diff --git a/app/src/main/java/org/glucosio/android/presenter/OverviewPresenter.java b/app/src/main/java/org/glucosio/android/presenter/OverviewPresenter.java index 551bbdf4..77a1b262 100644 --- a/app/src/main/java/org/glucosio/android/presenter/OverviewPresenter.java +++ b/app/src/main/java/org/glucosio/android/presenter/OverviewPresenter.java @@ -57,6 +57,10 @@ public String getRandomTip(TipsManager manager){ return tips.get(randomNumber); } + public String getUnitMeasuerement(){ + return dB.getUser(1).get_preferred_unit(); + } + public int getUserAge(){ return dB.getUser(1).get_age(); } diff --git a/app/src/main/res/layout/dialog_add.xml b/app/src/main/res/layout/dialog_add.xml index ef51d1a2..4829fb48 100644 --- a/app/src/main/res/layout/dialog_add.xml +++ b/app/src/main/res/layout/dialog_add.xml @@ -34,7 +34,7 @@ android:textColorHighlight="@color/glucosio_pink" android:layout_width="fill_parent" android:textIsSelectable="false" - android:inputType="number" + android:inputType="numberDecimal" android:layout_height="wrap_content" android:textSize="@dimen/abc_text_size_body_2_material" android:hint="@string/dialog_add_concentration"/> From 3ffff8d0d92f06f146bbbb31503c4fc07a47e0f8 Mon Sep 17 00:00:00 2001 From: Paolo Rotolo Date: Fri, 2 Oct 2015 20:34:21 +0200 Subject: [PATCH 049/126] Implement ranges logic. --- .../android/activity/PreferencesActivity.java | 82 +++++++++++++++++-- .../java/org/glucosio/android/db/User.java | 64 ++++++++++----- .../android/presenter/HelloPresenter.java | 2 +- .../glucosio/android/tools/GlucoseRanges.java | 48 +++++++++++ app/src/main/res/values/strings.xml | 14 ++++ app/src/main/res/xml/preferences.xml | 15 ++++ 6 files changed, 199 insertions(+), 26 deletions(-) create mode 100644 app/src/main/java/org/glucosio/android/tools/GlucoseRanges.java diff --git a/app/src/main/java/org/glucosio/android/activity/PreferencesActivity.java b/app/src/main/java/org/glucosio/android/activity/PreferencesActivity.java index 962d5f3a..41df7f0d 100644 --- a/app/src/main/java/org/glucosio/android/activity/PreferencesActivity.java +++ b/app/src/main/java/org/glucosio/android/activity/PreferencesActivity.java @@ -47,8 +47,13 @@ public static class MyPreferenceFragment extends PreferenceFragment { ListPreference genderPref; ListPreference diabetesTypePref; ListPreference unitPref; + ListPreference rangePref; EditText ageEditText; + EditText minEditText; + EditText maxEditText; EditTextPreference agePref; + EditTextPreference minRangePref; + EditTextPreference maxRangePref; @Override public void onCreate(final Bundle savedInstanceState) { @@ -63,12 +68,30 @@ public void onCreate(final Bundle savedInstanceState) { genderPref = (ListPreference) findPreference("pref_gender"); diabetesTypePref = (ListPreference) findPreference("pref_diabetes_type"); unitPref = (ListPreference) findPreference("pref_unit"); + rangePref = (ListPreference) findPreference("pref_range"); + minRangePref = (EditTextPreference) findPreference("pref_range_min"); + maxRangePref = (EditTextPreference) findPreference("pref_range_max"); agePref.setDefaultValue(user.get_age()); - countryPref.setDefaultValue(user.get_country()); - genderPref.setDefaultValue(user.get_gender()); - diabetesTypePref.setDefaultValue(user.get_d_type()); - unitPref.setDefaultValue(user.get_preferred_unit()); + countryPref.setValue(user.get_country()); + genderPref.setValue(user.get_gender()); + diabetesTypePref.setValue(user.get_d_type() + ""); + unitPref.setValue(user.get_preferred_unit()); + agePref.setDefaultValue(user.get_age()); + countryPref.setValue(user.get_country()); + genderPref.setValue(user.get_gender()); + unitPref.setValue(user.get_preferred_unit()); + rangePref.setValue(user.get_preferred_range()); + minRangePref.setDefaultValue(user.get_custom_range_min() + ""); + maxRangePref.setDefaultValue(user.get_custom_range_max() + ""); + + if (!rangePref.equals("custom")){ + minRangePref.setEnabled(false); + maxRangePref.setEnabled(false); + } else { + minRangePref.setEnabled(true); + maxRangePref.setEnabled(true); + } final Preference termsPref = (Preference) findPreference("preferences_terms"); @@ -118,9 +141,38 @@ public boolean onPreferenceChange(Preference preference, Object newValue) { return false; } }); + rangePref.setOnPreferenceChangeListener(new Preference.OnPreferenceChangeListener() { + @Override + public boolean onPreferenceChange(Preference preference, Object newValue) { + user.set_preferred_range(newValue.toString()); + updateDB(); + return false; + } + }); + minRangePref.setOnPreferenceChangeListener(new Preference.OnPreferenceChangeListener() { + @Override + public boolean onPreferenceChange(Preference preference, Object newValue) { + user.set_custom_range_min(Integer.parseInt(newValue.toString())); + updateDB(); + return false; + } + }); + maxRangePref.setOnPreferenceChangeListener(new Preference.OnPreferenceChangeListener() { + @Override + public boolean onPreferenceChange(Preference preference, Object newValue) { + user.set_custom_range_max(Integer.parseInt(newValue.toString())); + updateDB(); + return false; + } + }); ageEditText = agePref.getEditText(); + minEditText = minRangePref.getEditText(); + maxEditText = maxRangePref.getEditText(); + ageEditText.setFilters(new InputFilter[]{new InputFilterMinMax(1, 110)}); + minEditText.setFilters(new InputFilter[]{new InputFilterMinMax(1, 1500)}); + maxEditText.setFilters(new InputFilter[]{new InputFilterMinMax(1, 1500)}); // Get countries list from locale @@ -150,13 +202,33 @@ public boolean onPreferenceClick(Preference preference) { }); } - private void updateDB(){ + private void updateDB() { dB.updateUser(user); agePref.setSummary(user.get_age() + ""); genderPref.setSummary(user.get_gender() + ""); diabetesTypePref.setSummary(getResources().getString(R.string.glucose_reading_type) + " " + user.get_d_type()); unitPref.setSummary(user.get_preferred_unit() + ""); countryPref.setSummary(user.get_country()); + rangePref.setSummary(user.get_preferred_range() + ""); + minRangePref.setSummary(user.get_custom_range_min() + ""); + maxRangePref.setSummary(user.get_custom_range_max() + ""); + + countryPref.setValue(user.get_country()); + genderPref.setValue(user.get_gender()); + diabetesTypePref.setValue(user.get_d_type() + ""); + unitPref.setValue(user.get_preferred_unit()); + countryPref.setValue(user.get_country()); + genderPref.setValue(user.get_gender()); + unitPref.setValue(user.get_preferred_unit()); + rangePref.setValue(user.get_preferred_range()); + + if (!user.get_preferred_range().equals("Custom range")){ + minRangePref.setEnabled(false); + maxRangePref.setEnabled(false); + } else { + minRangePref.setEnabled(true); + maxRangePref.setEnabled(true); + } } } diff --git a/app/src/main/java/org/glucosio/android/db/User.java b/app/src/main/java/org/glucosio/android/db/User.java index 0980534b..67f64ecf 100644 --- a/app/src/main/java/org/glucosio/android/db/User.java +++ b/app/src/main/java/org/glucosio/android/db/User.java @@ -24,17 +24,25 @@ public class User extends Model { String _gender; @Column(name = "d_type") - int _d_type; //diabetes type + int _d_type; @Column(name = "preferred_unit") - String _preferred_unit; // preferred unit + String _preferred_unit; + + @Column(name = "preferred_range") + String _preferred_range; + + @Column(name = "custom_range_min") + int _custom_range_min; + + @Column(name = "custom_range_max") + int _custom_range_max; public User() { super(); } - public User(int id, String name,String preferred_language, String country, int age, String gender,int dType, String pUnit) - { + public User(int id, String name,String preferred_language, String country, int age, String gender,int dType, String pUnit, String pRange, int minRange, int maxRange) { this._name=name; this._preferred_language=preferred_language; this._country=country; @@ -42,6 +50,9 @@ public User(int id, String name,String preferred_language, String country, int a this._gender=gender; this._d_type=dType; this._preferred_unit=pUnit; + this._preferred_range = pRange; + this._custom_range_max = maxRange; + this._custom_range_min = minRange; } public static User getUser(int id) { @@ -65,13 +76,11 @@ public void set_preferred_unit(String pUnit){ this._preferred_unit=pUnit; } - public String get_name() - { + public String get_name() { return this._name; } - public void set_name(String name) - { + public void set_name(String name) { this._name=name; } @@ -85,29 +94,44 @@ public void set_country(String country) this._country=country; } - public String get_preferredLanguage() - { + public String get_preferredLanguage() { return this._preferred_language; } - public void set_preferredLanguage(String preferred_language) - { + public void set_preferredLanguage(String preferred_language) { this._preferred_language=preferred_language; } - public int get_age() - { + public int get_age() { return this._age; } - public void set_age(int age) - { + public void set_age(int age) { this._age=age; } - public String get_gender() - { + public String get_gender() { return this._gender; } - public void set_gender(String gender) - { + public void set_gender(String gender) { this._gender=gender; } + public String get_preferred_range() { + return _preferred_range; + } + public void set_preferred_range(String _preferred_range) { + this._preferred_range = _preferred_range; + } + public int get_custom_range_min() { + return _custom_range_min; + } + + public void set_custom_range_min(int _custom_range_min) { + this._custom_range_min = _custom_range_min; + } + + public int get_custom_range_max() { + return _custom_range_max; + } + + public void set_custom_range_max(int _custom_range_max) { + this._custom_range_max = _custom_range_max; + } } diff --git a/app/src/main/java/org/glucosio/android/presenter/HelloPresenter.java b/app/src/main/java/org/glucosio/android/presenter/HelloPresenter.java index f5c17b25..ddcd94da 100644 --- a/app/src/main/java/org/glucosio/android/presenter/HelloPresenter.java +++ b/app/src/main/java/org/glucosio/android/presenter/HelloPresenter.java @@ -62,7 +62,7 @@ private void showEULA(){ } public void saveToDatabase(){ - dB.addUser(new User(id, name, language, country, age, gender, diabetesType, unitMeasurement)); + dB.addUser(new User(id, name, language, country, age, gender, diabetesType, unitMeasurement, "ADA", 70, 180)); // We use ADA range by default helloActivity.closeHelloActivity(); } } diff --git a/app/src/main/java/org/glucosio/android/tools/GlucoseRanges.java b/app/src/main/java/org/glucosio/android/tools/GlucoseRanges.java new file mode 100644 index 00000000..cfe4e50b --- /dev/null +++ b/app/src/main/java/org/glucosio/android/tools/GlucoseRanges.java @@ -0,0 +1,48 @@ +package org.glucosio.android.tools; + +import org.glucosio.android.db.DatabaseHandler; + +public class GlucoseRanges { + + DatabaseHandler dB; + String preferredRange; + int customMin; + int customMax; + + public GlucoseRanges(){ + dB = new DatabaseHandler(); + this.preferredRange = dB.getUser(1).get_preferred_range(); + if (preferredRange.equals("custom")){ + customMin = dB.getUser(1).get_custom_range_min(); + customMax = dB.getUser(1).get_custom_range_max(); + } + } + + public String colorFromRange(int reading) { + if (preferredRange.equals("ADA")){ + if (reading < 70 & reading > 180){ + return "green"; + } else { + return "red"; + } + } else if (preferredRange.equals("AACE")){ + if (reading < 110 & reading > 140){ + return "green"; + } else { + return "red"; + } + } else if (preferredRange.equals("UK NICE")) { + if (reading < 72 & reading > 153){ + return "green"; + } else { + return "read"; + } + } else { + if (reading < customMin & reading > customMax){ + return "green"; + } else { + return "red"; + } + } + } +} diff --git a/app/src/main/res/values/strings.xml b/app/src/main/res/values/strings.xml index 21b979f3..f7a55750 100644 --- a/app/src/main/res/values/strings.xml +++ b/app/src/main/res/values/strings.xml @@ -149,4 +149,18 @@ Add a reading Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + Preferred range + ADA + AACE + UK NICE + Custom range + Min value + Max value + + + @string/helloactivity_spinner_preferred_range_1 + @string/helloactivity_spinner_preferred_range_2 + @string/helloactivity_spinner_preferred_range_3 + @string/helloactivity_spinner_preferred_range_4 + diff --git a/app/src/main/res/xml/preferences.xml b/app/src/main/res/xml/preferences.xml index 6bddeaa6..05fec78b 100644 --- a/app/src/main/res/xml/preferences.xml +++ b/app/src/main/res/xml/preferences.xml @@ -24,6 +24,21 @@ android:title="@string/helloactivity_spinner_preferred_unit" android:entries="@array/helloactivity_preferred_unit" android:entryValues="@array/helloactivity_preferred_unit" /> + + + Date: Fri, 2 Oct 2015 20:59:07 +0200 Subject: [PATCH 050/126] Implement ranges in UI (History). --- .../glucosio/android/activity/MainActivity.java | 1 + .../android/activity/PreferencesActivity.java | 5 +++++ .../glucosio/android/adapter/HistoryAdapter.java | 13 +++++++++++++ .../glucosio/android/tools/GlucoseRanges.java | 16 ++++++++-------- 4 files changed, 27 insertions(+), 8 deletions(-) diff --git a/app/src/main/java/org/glucosio/android/activity/MainActivity.java b/app/src/main/java/org/glucosio/android/activity/MainActivity.java index f14668f1..4a0eb625 100644 --- a/app/src/main/java/org/glucosio/android/activity/MainActivity.java +++ b/app/src/main/java/org/glucosio/android/activity/MainActivity.java @@ -135,6 +135,7 @@ public void startGittyReporter() { public void openPreferences() { Intent intent = new Intent(this, PreferencesActivity.class); startActivity(intent); + finish(); } public void onFabClicked(View v){ diff --git a/app/src/main/java/org/glucosio/android/activity/PreferencesActivity.java b/app/src/main/java/org/glucosio/android/activity/PreferencesActivity.java index 41df7f0d..015d9779 100644 --- a/app/src/main/java/org/glucosio/android/activity/PreferencesActivity.java +++ b/app/src/main/java/org/glucosio/android/activity/PreferencesActivity.java @@ -12,6 +12,7 @@ import android.text.InputFilter; import android.view.MenuItem; import android.widget.EditText; +import android.widget.Toast; import org.glucosio.android.R; import org.glucosio.android.db.DatabaseHandler; @@ -234,12 +235,16 @@ private void updateDB() { @Override public void onBackPressed() { + Intent intent = new Intent(this, MainActivity.class); + startActivity(intent); finish(); } @Override public boolean onOptionsItemSelected(MenuItem item) { if (item.getItemId() == android.R.id.home) { + Intent intent = new Intent(this, MainActivity.class); + startActivity(intent); finish(); } return true; diff --git a/app/src/main/java/org/glucosio/android/adapter/HistoryAdapter.java b/app/src/main/java/org/glucosio/android/adapter/HistoryAdapter.java index 786ed536..a92b9145 100644 --- a/app/src/main/java/org/glucosio/android/adapter/HistoryAdapter.java +++ b/app/src/main/java/org/glucosio/android/adapter/HistoryAdapter.java @@ -1,12 +1,14 @@ package org.glucosio.android.adapter; import android.content.Context; +import android.graphics.Color; import android.provider.ContactsContract; import android.support.v7.widget.RecyclerView; import android.view.LayoutInflater; import android.view.View; import android.view.ViewGroup; import android.widget.TextView; +import android.widget.Toast; import org.glucosio.android.R; import org.glucosio.android.activity.MainActivity; @@ -14,6 +16,7 @@ import org.glucosio.android.presenter.HistoryPresenter; import org.glucosio.android.tools.FormatDateTime; import org.glucosio.android.tools.GlucoseConverter; +import org.glucosio.android.tools.GlucoseRanges; import org.glucosio.android.tools.ReadingTools; import java.util.ArrayList; @@ -74,11 +77,21 @@ public void onBindViewHolder(ViewHolder holder, int position) { idTextView.setText(presenter.getId().get(position).toString()); + GlucoseRanges ranges = new GlucoseRanges(); + String color = ranges.colorFromRange(presenter.getReading().get(position)); + if (presenter.getUnitMeasuerement().equals("mg/dL")) { readingTextView.setText(presenter.getReading().get(position).toString() + " mg/dL"); } else { readingTextView.setText(converter.toMmolL(Double.parseDouble(presenter.getReading().get(position).toString())) + " mmol/L"); } + + if (color.equals("green")){ + readingTextView.setTextColor(Color.parseColor("#4CAF50")); + } else { + readingTextView.setTextColor(Color.parseColor("#F44336")); + } + datetimeTextView.setText(presenter.convertDate(presenter.getDatetime().get(position))); typeTextView.setText(presenter.getType().get(position)); } diff --git a/app/src/main/java/org/glucosio/android/tools/GlucoseRanges.java b/app/src/main/java/org/glucosio/android/tools/GlucoseRanges.java index cfe4e50b..f5400dbf 100644 --- a/app/src/main/java/org/glucosio/android/tools/GlucoseRanges.java +++ b/app/src/main/java/org/glucosio/android/tools/GlucoseRanges.java @@ -12,33 +12,33 @@ public class GlucoseRanges { public GlucoseRanges(){ dB = new DatabaseHandler(); this.preferredRange = dB.getUser(1).get_preferred_range(); - if (preferredRange.equals("custom")){ - customMin = dB.getUser(1).get_custom_range_min(); - customMax = dB.getUser(1).get_custom_range_max(); + if (preferredRange.equals("Custom range")){ + this.customMin = dB.getUser(1).get_custom_range_min(); + this.customMax = dB.getUser(1).get_custom_range_max(); } } public String colorFromRange(int reading) { if (preferredRange.equals("ADA")){ - if (reading < 70 & reading > 180){ + if (reading >= 70 & reading <= 180){ return "green"; } else { return "red"; } } else if (preferredRange.equals("AACE")){ - if (reading < 110 & reading > 140){ + if (reading >= 110 & reading <= 140){ return "green"; } else { return "red"; } } else if (preferredRange.equals("UK NICE")) { - if (reading < 72 & reading > 153){ + if (reading >= 72 & reading <= 153){ return "green"; } else { - return "read"; + return "red"; } } else { - if (reading < customMin & reading > customMax){ + if (reading >= customMin & reading <= customMax){ return "green"; } else { return "red"; From fd3f7d7db1003398518b22d8cb6cdcf1fdf8bd73 Mon Sep 17 00:00:00 2001 From: Paolo Rotolo Date: Fri, 2 Oct 2015 21:01:40 +0200 Subject: [PATCH 051/126] Implement ranges in UI (Overview). --- .../org/glucosio/android/fragment/OverviewFragment.java | 9 +++++++++ 1 file changed, 9 insertions(+) diff --git a/app/src/main/java/org/glucosio/android/fragment/OverviewFragment.java b/app/src/main/java/org/glucosio/android/fragment/OverviewFragment.java index 4343ed4a..32dcc73d 100644 --- a/app/src/main/java/org/glucosio/android/fragment/OverviewFragment.java +++ b/app/src/main/java/org/glucosio/android/fragment/OverviewFragment.java @@ -22,6 +22,7 @@ import org.glucosio.android.presenter.OverviewPresenter; import org.glucosio.android.tools.FormatDateTime; import org.glucosio.android.tools.GlucoseConverter; +import org.glucosio.android.tools.GlucoseRanges; import org.glucosio.android.tools.ReadingTools; import org.glucosio.android.tools.TipsManager; @@ -190,6 +191,14 @@ private void loadLastReading(){ GlucoseConverter converter = new GlucoseConverter(); readingTextView.setText(converter.toMmolL(Double.parseDouble(presenter.getLastReading().toString())) + " mmol/L"); } + + GlucoseRanges ranges = new GlucoseRanges(); + String color = ranges.colorFromRange(Integer.parseInt(presenter.getLastReading())); + if (color.equals("green")){ + readingTextView.setTextColor(Color.parseColor("#4CAF50")); + } else { + readingTextView.setTextColor(Color.parseColor("#F44336")); + } } } From a8f1436f4606e533bef00ae404c34f04632fd50d Mon Sep 17 00:00:00 2001 From: Benjamin Kerensa Date: Fri, 2 Oct 2015 20:35:22 -0700 Subject: [PATCH 052/126] Add google-playstore-strings.xml Add google-playstore-strings.xml for make benefit glorious translated Google Play Store descriptions! --- .../res/values/google-playstore-strings.xml | 30 +++++++++++++++++++ 1 file changed, 30 insertions(+) create mode 100644 app/src/main/res/values/google-playstore-strings.xml diff --git a/app/src/main/res/values/google-playstore-strings.xml b/app/src/main/res/values/google-playstore-strings.xml new file mode 100644 index 00000000..3e36d91b --- /dev/null +++ b/app/src/main/res/values/google-playstore-strings.xml @@ -0,0 +1,30 @@ + + + + + + + + + Glucosio + Glucosio is a user centered free and open source app for diabetes management and research + + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose tends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + + * User Centered. Glucosio apps are built with features and a design that matches the user's needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + + More details: + http://www.glucosio.org/ + + + + + From 13461512c65fc7adb6394c56c1377a45c608b0cb Mon Sep 17 00:00:00 2001 From: Benjamin Kerensa Date: Fri, 2 Oct 2015 20:39:00 -0700 Subject: [PATCH 053/126] Remove white space for make benefit validation of xml --- app/src/main/res/values/google-playstore-strings.xml | 1 - 1 file changed, 1 deletion(-) diff --git a/app/src/main/res/values/google-playstore-strings.xml b/app/src/main/res/values/google-playstore-strings.xml index 3e36d91b..1d0d8203 100644 --- a/app/src/main/res/values/google-playstore-strings.xml +++ b/app/src/main/res/values/google-playstore-strings.xml @@ -1,4 +1,3 @@ - From b781fc2348c4a81de5abb1bbba1c2b49f5f4ab76 Mon Sep 17 00:00:00 2001 From: Paolo Rotolo Date: Sat, 3 Oct 2015 13:22:00 +0200 Subject: [PATCH 054/126] Fix translation error. --- app/src/main/res/values/google-playstore-strings.xml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/app/src/main/res/values/google-playstore-strings.xml b/app/src/main/res/values/google-playstore-strings.xml index 1d0d8203..def5483b 100644 --- a/app/src/main/res/values/google-playstore-strings.xml +++ b/app/src/main/res/values/google-playstore-strings.xml @@ -12,7 +12,7 @@ Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose tends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user's needs and we are constantly open to feedback for improvement. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. From c486e8058a6b4c6e396175ad006072a7f00bde00 Mon Sep 17 00:00:00 2001 From: Paolo Rotolo Date: Sat, 3 Oct 2015 13:24:33 +0200 Subject: [PATCH 055/126] Make some strings non-translatable. Closes #79. --- app/src/main/res/values/strings.xml | 21 ++++++++++----------- 1 file changed, 10 insertions(+), 11 deletions(-) diff --git a/app/src/main/res/values/strings.xml b/app/src/main/res/values/strings.xml index f7a55750..60506102 100644 --- a/app/src/main/res/values/strings.xml +++ b/app/src/main/res/values/strings.xml @@ -21,7 +21,7 @@ Female Other - + @string/helloactivity_gender_list_1 @string/helloactivity_gender_list_2 @string/helloactivity_gender_list_3 @@ -31,16 +31,16 @@ Type 1 Type 2 - + @string/helloactivity_spinner_diabetes_type_1 @string/helloactivity_spinner_diabetes_type_2 Preferred unit - mg/dL - mmol/L + mg/dL + mmol/L - + @string/helloactivity_spinner_preferred_unit_1 @string/helloactivity_spinner_preferred_unit_2 @@ -86,7 +86,6 @@ Delete Edit - Fragment here. 1 reading deleted UNDO @@ -96,7 +95,7 @@ Tip Use less cheese in your recipes and meals. Fresh mozzarella packed in water and Swiss cheese are usually lower in sodium. About - 0.8.0 (Noce) + 0.8.0 (Noce) Version Terms of use Type @@ -150,14 +149,14 @@ Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. Preferred range - ADA - AACE - UK NICE + ADA + AACE + UK NICE Custom range Min value Max value - + @string/helloactivity_spinner_preferred_range_1 @string/helloactivity_spinner_preferred_range_2 @string/helloactivity_spinner_preferred_range_3 From 2d1ba032ea6196d19e0f4abc1ddda9a4f709d5cc Mon Sep 17 00:00:00 2001 From: Paolo Rotolo Date: Sat, 3 Oct 2015 13:35:21 +0200 Subject: [PATCH 056/126] FIXED: Placeholder shouldn't show in assistant. Closes #80. --- .../java/org/glucosio/android/activity/MainActivity.java | 7 +++++++ 1 file changed, 7 insertions(+) diff --git a/app/src/main/java/org/glucosio/android/activity/MainActivity.java b/app/src/main/java/org/glucosio/android/activity/MainActivity.java index 4a0eb625..4a8d92ee 100644 --- a/app/src/main/java/org/glucosio/android/activity/MainActivity.java +++ b/app/src/main/java/org/glucosio/android/activity/MainActivity.java @@ -106,8 +106,15 @@ public void onPageScrolled(int position, float positionOffset, int positionOffse public void onPageSelected(int position) { if (position == 2) { hideFabAnimation(); + LinearLayout emptyLayout = (LinearLayout) findViewById(R.id.mainactivity_empty_layout); + ViewPager pager = (ViewPager) findViewById(R.id.pager); + if (pager.getVisibility() == View.GONE) { + pager.setVisibility(View.VISIBLE); + emptyLayout.setVisibility(View.INVISIBLE); + } } else { showFabAnimation(); + checkIfEmptyLayout(); } } From c1d47e1e1c3a64a6459ae32fe191850a7cbc39af Mon Sep 17 00:00:00 2001 From: Paolo Rotolo Date: Sat, 3 Oct 2015 16:59:37 +0200 Subject: [PATCH 057/126] Change curved line drawable based on device orientation. Closes #81. --- .../android/activity/MainActivity.java | 24 +++++++------------ .../res/drawable/curved_line_horizontal.xml | 20 ++++++++++++++++ ...rved_line.xml => curved_line_vertical.xml} | 0 3 files changed, 29 insertions(+), 15 deletions(-) create mode 100644 app/src/main/res/drawable/curved_line_horizontal.xml rename app/src/main/res/drawable/{curved_line.xml => curved_line_vertical.xml} (100%) diff --git a/app/src/main/java/org/glucosio/android/activity/MainActivity.java b/app/src/main/java/org/glucosio/android/activity/MainActivity.java index 4a8d92ee..85890f84 100644 --- a/app/src/main/java/org/glucosio/android/activity/MainActivity.java +++ b/app/src/main/java/org/glucosio/android/activity/MainActivity.java @@ -3,28 +3,20 @@ import android.animation.Animator; import android.animation.AnimatorListenerAdapter; import android.app.Dialog; -import android.content.Context; import android.content.Intent; -import android.graphics.Bitmap; -import android.graphics.Matrix; import android.support.design.widget.AppBarLayout; import android.support.design.widget.CoordinatorLayout; import android.support.design.widget.TabLayout; -import android.support.design.widget.TextInputLayout; import android.support.v4.view.ViewPager; import android.support.v7.app.AppCompatActivity; import android.os.Bundle; -import android.support.v7.view.ActionMode; import android.support.v7.widget.Toolbar; -import android.text.InputFilter; -import android.util.Log; import android.view.Menu; import android.view.MenuItem; import android.view.View; import android.view.Window; import android.view.WindowManager; import android.widget.AdapterView; -import android.widget.EdgeEffect; import android.widget.EditText; import android.widget.ImageView; import android.widget.LinearLayout; @@ -39,17 +31,12 @@ import org.glucosio.android.R; import org.glucosio.android.adapter.HomePagerAdapter; import org.glucosio.android.presenter.MainPresenter; -import org.glucosio.android.tools.FormatDateTime; import org.glucosio.android.tools.LabelledSpinner; import org.glucosio.android.tools.LabelledSpinner.OnItemChosenListener; -import org.w3c.dom.Text; import java.text.DecimalFormat; import java.util.Calendar; -import uk.co.chrisjenx.calligraphy.CalligraphyConfig; -import uk.co.chrisjenx.calligraphy.CalligraphyContextWrapper; - public class MainActivity extends AppCompatActivity implements TimePickerDialog.OnTimeSetListener, DatePickerDialog.OnDateSetListener{ @@ -536,8 +523,15 @@ public void checkIfEmptyLayout(){ pager.setVisibility(View.GONE); emptyLayout.setVisibility(View.VISIBLE); - ImageView arrow = (ImageView) findViewById(R.id.mainactivity_arrow); - arrow.setBackground((VectorDrawable.getDrawable(getApplicationContext(), R.drawable.curved_line))); + if (getResources().getConfiguration().orientation == 1) { + // If Portrait choose vertical curved line + ImageView arrow = (ImageView) findViewById(R.id.mainactivity_arrow); + arrow.setBackground((VectorDrawable.getDrawable(getApplicationContext(), R.drawable.curved_line_vertical))); + } else { + // Else choose horizontal one + ImageView arrow = (ImageView) findViewById(R.id.mainactivity_arrow); + arrow.setBackground((VectorDrawable.getDrawable(getApplicationContext(), R.drawable.curved_line_horizontal))); + } } else { pager.setVisibility(View.VISIBLE); emptyLayout.setVisibility(View.INVISIBLE); diff --git a/app/src/main/res/drawable/curved_line_horizontal.xml b/app/src/main/res/drawable/curved_line_horizontal.xml new file mode 100644 index 00000000..0fd31c13 --- /dev/null +++ b/app/src/main/res/drawable/curved_line_horizontal.xml @@ -0,0 +1,20 @@ + + + + + \ No newline at end of file diff --git a/app/src/main/res/drawable/curved_line.xml b/app/src/main/res/drawable/curved_line_vertical.xml similarity index 100% rename from app/src/main/res/drawable/curved_line.xml rename to app/src/main/res/drawable/curved_line_vertical.xml From 8af2a7bb4393503526eaedaafdb0f1ca7bdb4273 Mon Sep 17 00:00:00 2001 From: Paolo Rotolo Date: Sat, 3 Oct 2015 17:28:05 +0200 Subject: [PATCH 058/126] Add Hypo/Hyper in ranges. Closes #75. --- .../android/adapter/HistoryAdapter.java | 4 +- .../android/fragment/OverviewFragment.java | 6 ++- .../glucosio/android/tools/GlucoseRanges.java | 51 +++++++++++-------- 3 files changed, 36 insertions(+), 25 deletions(-) diff --git a/app/src/main/java/org/glucosio/android/adapter/HistoryAdapter.java b/app/src/main/java/org/glucosio/android/adapter/HistoryAdapter.java index a92b9145..2bab49cf 100644 --- a/app/src/main/java/org/glucosio/android/adapter/HistoryAdapter.java +++ b/app/src/main/java/org/glucosio/android/adapter/HistoryAdapter.java @@ -88,8 +88,10 @@ public void onBindViewHolder(ViewHolder holder, int position) { if (color.equals("green")){ readingTextView.setTextColor(Color.parseColor("#4CAF50")); - } else { + } else if (color.equals("red")){ readingTextView.setTextColor(Color.parseColor("#F44336")); + } else { + readingTextView.setTextColor(Color.parseColor("#9C27B0")); } datetimeTextView.setText(presenter.convertDate(presenter.getDatetime().get(position))); diff --git a/app/src/main/java/org/glucosio/android/fragment/OverviewFragment.java b/app/src/main/java/org/glucosio/android/fragment/OverviewFragment.java index 32dcc73d..e2ea9057 100644 --- a/app/src/main/java/org/glucosio/android/fragment/OverviewFragment.java +++ b/app/src/main/java/org/glucosio/android/fragment/OverviewFragment.java @@ -194,10 +194,12 @@ private void loadLastReading(){ GlucoseRanges ranges = new GlucoseRanges(); String color = ranges.colorFromRange(Integer.parseInt(presenter.getLastReading())); - if (color.equals("green")){ + if (color.equals("green")) { readingTextView.setTextColor(Color.parseColor("#4CAF50")); - } else { + } else if (color.equals("red")){ readingTextView.setTextColor(Color.parseColor("#F44336")); + } else { + readingTextView.setTextColor(Color.parseColor("#9C27B0")); } } } diff --git a/app/src/main/java/org/glucosio/android/tools/GlucoseRanges.java b/app/src/main/java/org/glucosio/android/tools/GlucoseRanges.java index f5400dbf..9dfaa53b 100644 --- a/app/src/main/java/org/glucosio/android/tools/GlucoseRanges.java +++ b/app/src/main/java/org/glucosio/android/tools/GlucoseRanges.java @@ -19,29 +19,36 @@ public GlucoseRanges(){ } public String colorFromRange(int reading) { - if (preferredRange.equals("ADA")){ - if (reading >= 70 & reading <= 180){ - return "green"; - } else { - return "red"; - } - } else if (preferredRange.equals("AACE")){ - if (reading >= 110 & reading <= 140){ - return "green"; - } else { - return "red"; - } - } else if (preferredRange.equals("UK NICE")) { - if (reading >= 72 & reading <= 153){ - return "green"; - } else { - return "red"; - } + // Check for Hypo/Hyperglycemia + if (reading < 70 | reading > 200) { + return "purple"; } else { - if (reading >= customMin & reading <= customMax){ - return "green"; - } else { - return "red"; + // if not check with custom ranges + switch (preferredRange) { + case "ADA": + if (reading >= 70 & reading <= 180) { + return "green"; + } else { + return "red"; + } + case "AACE": + if (reading >= 110 & reading <= 140) { + return "green"; + } else { + return "red"; + } + case "UK NICE": + if (reading >= 72 & reading <= 153) { + return "green"; + } else { + return "red"; + } + default: + if (reading >= customMin & reading <= customMax) { + return "green"; + } else { + return "red"; + } } } } From 5e2cdbe3163c8438f55e385d0534a6dc7776a425 Mon Sep 17 00:00:00 2001 From: Paolo Rotolo Date: Sat, 3 Oct 2015 17:28:44 +0200 Subject: [PATCH 059/126] Replace if with switch. --- .../glucosio/android/adapter/HistoryAdapter.java | 16 ++++++++++------ .../android/fragment/OverviewFragment.java | 16 ++++++++++------ 2 files changed, 20 insertions(+), 12 deletions(-) diff --git a/app/src/main/java/org/glucosio/android/adapter/HistoryAdapter.java b/app/src/main/java/org/glucosio/android/adapter/HistoryAdapter.java index 2bab49cf..4ada0d47 100644 --- a/app/src/main/java/org/glucosio/android/adapter/HistoryAdapter.java +++ b/app/src/main/java/org/glucosio/android/adapter/HistoryAdapter.java @@ -86,12 +86,16 @@ public void onBindViewHolder(ViewHolder holder, int position) { readingTextView.setText(converter.toMmolL(Double.parseDouble(presenter.getReading().get(position).toString())) + " mmol/L"); } - if (color.equals("green")){ - readingTextView.setTextColor(Color.parseColor("#4CAF50")); - } else if (color.equals("red")){ - readingTextView.setTextColor(Color.parseColor("#F44336")); - } else { - readingTextView.setTextColor(Color.parseColor("#9C27B0")); + switch (color) { + case "green": + readingTextView.setTextColor(Color.parseColor("#4CAF50")); + break; + case "red": + readingTextView.setTextColor(Color.parseColor("#F44336")); + break; + default: + readingTextView.setTextColor(Color.parseColor("#9C27B0")); + break; } datetimeTextView.setText(presenter.convertDate(presenter.getDatetime().get(position))); diff --git a/app/src/main/java/org/glucosio/android/fragment/OverviewFragment.java b/app/src/main/java/org/glucosio/android/fragment/OverviewFragment.java index e2ea9057..6563b2c0 100644 --- a/app/src/main/java/org/glucosio/android/fragment/OverviewFragment.java +++ b/app/src/main/java/org/glucosio/android/fragment/OverviewFragment.java @@ -194,12 +194,16 @@ private void loadLastReading(){ GlucoseRanges ranges = new GlucoseRanges(); String color = ranges.colorFromRange(Integer.parseInt(presenter.getLastReading())); - if (color.equals("green")) { - readingTextView.setTextColor(Color.parseColor("#4CAF50")); - } else if (color.equals("red")){ - readingTextView.setTextColor(Color.parseColor("#F44336")); - } else { - readingTextView.setTextColor(Color.parseColor("#9C27B0")); + switch (color) { + case "green": + readingTextView.setTextColor(Color.parseColor("#4CAF50")); + break; + case "red": + readingTextView.setTextColor(Color.parseColor("#F44336")); + break; + default: + readingTextView.setTextColor(Color.parseColor("#9C27B0")); + break; } } } From 9860c00f805e43598050e8c7d76acb8a885ae490 Mon Sep 17 00:00:00 2001 From: Benjamin Kerensa Date: Sat, 3 Oct 2015 18:17:14 -0700 Subject: [PATCH 060/126] Fix GP strings typo --- app/src/main/res/values/google-playstore-strings.xml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/app/src/main/res/values/google-playstore-strings.xml b/app/src/main/res/values/google-playstore-strings.xml index def5483b..a0fe3247 100644 --- a/app/src/main/res/values/google-playstore-strings.xml +++ b/app/src/main/res/values/google-playstore-strings.xml @@ -10,7 +10,7 @@ Glucosio Glucosio is a user centered free and open source app for diabetes management and research - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose tends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. From c91c2c49e6fd321ac6297f19315392befa8e1b78 Mon Sep 17 00:00:00 2001 From: Paolo Rotolo Date: Sun, 4 Oct 2015 12:00:55 +0200 Subject: [PATCH 061/126] Add ActionTips in Assistant. --- ...TipsAdapter.java => AssistantAdapter.java} | 29 +++++++++++++------ .../android/fragment/AssistantFragment.java | 28 +++++++++--------- ...agment_tips.xml => fragment_assistant.xml} | 0 ...s_item.xml => fragment_assistant_item.xml} | 7 +++-- app/src/main/res/values/strings.xml | 20 +++++++++++++ 5 files changed, 57 insertions(+), 27 deletions(-) rename app/src/main/java/org/glucosio/android/adapter/{TipsAdapter.java => AssistantAdapter.java} (50%) rename app/src/main/res/layout/{fragment_tips.xml => fragment_assistant.xml} (100%) rename app/src/main/res/layout/{fragment_tips_item.xml => fragment_assistant_item.xml} (89%) diff --git a/app/src/main/java/org/glucosio/android/adapter/TipsAdapter.java b/app/src/main/java/org/glucosio/android/adapter/AssistantAdapter.java similarity index 50% rename from app/src/main/java/org/glucosio/android/adapter/TipsAdapter.java rename to app/src/main/java/org/glucosio/android/adapter/AssistantAdapter.java index 238104b0..6df5fd27 100644 --- a/app/src/main/java/org/glucosio/android/adapter/TipsAdapter.java +++ b/app/src/main/java/org/glucosio/android/adapter/AssistantAdapter.java @@ -1,6 +1,7 @@ package org.glucosio.android.adapter; import android.content.Context; +import android.support.v7.widget.AppCompatButton; import android.support.v7.widget.RecyclerView; import android.view.LayoutInflater; import android.view.View; @@ -9,8 +10,11 @@ import org.glucosio.android.R; import java.util.ArrayList; -public class TipsAdapter extends RecyclerView.Adapter { - private ArrayList tipsList; +public class AssistantAdapter extends RecyclerView.Adapter { + private Context mContext; + private String[] actionTipTitles; + private String[] actionTipDescriptions; + private String[] actionTipActions; // Provide a reference to the views for each data item @@ -26,18 +30,21 @@ public ViewHolder(View v) { } // Provide a suitable constructor (depends on the kind of dataset) - public TipsAdapter(ArrayList tips) { - this.tipsList = tips; + public AssistantAdapter(Context context) { + this.mContext = context; + this.actionTipTitles = context.getResources().getStringArray(R.array.assistant_titles); + this.actionTipDescriptions = context.getResources().getStringArray(R.array.assistant_descriptions); + this.actionTipActions = context.getResources().getStringArray(R.array.assistant_actions); } // Create new views (invoked by the layout manager) @Override - public TipsAdapter.ViewHolder onCreateViewHolder(ViewGroup parent, + public AssistantAdapter.ViewHolder onCreateViewHolder(ViewGroup parent, int viewType) { // create a new view View v = LayoutInflater.from(parent.getContext()) - .inflate(R.layout.fragment_tips_item, parent, false); + .inflate(R.layout.fragment_assistant_item, parent, false); ViewHolder vh = new ViewHolder(v); return vh; @@ -46,13 +53,17 @@ public TipsAdapter.ViewHolder onCreateViewHolder(ViewGroup parent, // Replace the contents of a view (invoked by the layout manager) @Override public void onBindViewHolder(ViewHolder holder, int position) { - TextView tipTextView = (TextView) holder.mView.findViewById(R.id.fragment_tips_textview); - tipTextView.setText(tipsList.get(position)); + TextView actionTipTitle = (TextView) holder.mView.findViewById(R.id.fragment_assistant_item_title); + TextView actionTipDescription = (TextView) holder.mView.findViewById(R.id.fragment_assistant_item_description); + AppCompatButton actionTipAction = (AppCompatButton) holder.mView.findViewById(R.id.fragment_assistant_item_action); + actionTipTitle.setText(actionTipTitles[position]); + actionTipDescription.setText(actionTipDescriptions[position]); + actionTipAction.setText(actionTipActions[position]); } // Return the size of your dataset (invoked by the layout manager) @Override public int getItemCount() { - return tipsList.size(); + return actionTipTitles.length; } } diff --git a/app/src/main/java/org/glucosio/android/fragment/AssistantFragment.java b/app/src/main/java/org/glucosio/android/fragment/AssistantFragment.java index 28a1d7cd..8af5c8a9 100644 --- a/app/src/main/java/org/glucosio/android/fragment/AssistantFragment.java +++ b/app/src/main/java/org/glucosio/android/fragment/AssistantFragment.java @@ -2,21 +2,18 @@ import android.os.Bundle; import android.support.v4.app.Fragment; +import android.support.v7.widget.LinearLayoutManager; import android.support.v7.widget.RecyclerView; import android.view.LayoutInflater; import android.view.View; import android.view.ViewGroup; import org.glucosio.android.R; -import org.glucosio.android.adapter.TipsAdapter; -import org.glucosio.android.db.DatabaseHandler; -import org.glucosio.android.tools.TipsManager; +import org.glucosio.android.adapter.AssistantAdapter; public class AssistantFragment extends Fragment { - private DatabaseHandler dB; - private TipsManager tipsManager; private RecyclerView tipsRecycler; - private TipsAdapter adapter; + private AssistantAdapter adapter; public static AssistantFragment newInstance() { AssistantFragment fragment = new AssistantFragment(); @@ -38,15 +35,16 @@ public void onCreate(Bundle savedInstanceState) { @Override public View onCreateView(LayoutInflater inflater, ViewGroup container, Bundle savedInstanceState) { - View mView = inflater.inflate(R.layout.fragment_tips, container, false); - // tipsRecycler = (RecyclerView) mView.findViewById(R.id.fragment_tips_recyclerview); - // adapter = new TipsAdapter(tipsManager.getTips()); - - // LinearLayoutManager llm = new LinearLayoutManager(getActivity()); - // llm.setOrientation(LinearLayoutManager.VERTICAL); - // tipsRecycler.setLayoutManager(llm); - // tipsRecycler.setAdapter(adapter); - // tipsRecycler.setHasFixedSize(false); + View mView = inflater.inflate(R.layout.fragment_assistant, container, false); + tipsRecycler = (RecyclerView) mView.findViewById(R.id.fragment_tips_recyclerview); + adapter = new AssistantAdapter(getActivity().getApplicationContext()); + + LinearLayoutManager llm = new LinearLayoutManager(getActivity()); + llm.setOrientation(LinearLayoutManager.VERTICAL); + tipsRecycler.setLayoutManager(llm); + tipsRecycler.setAdapter(adapter); + tipsRecycler.setHasFixedSize(false); + return mView; } } \ No newline at end of file diff --git a/app/src/main/res/layout/fragment_tips.xml b/app/src/main/res/layout/fragment_assistant.xml similarity index 100% rename from app/src/main/res/layout/fragment_tips.xml rename to app/src/main/res/layout/fragment_assistant.xml diff --git a/app/src/main/res/layout/fragment_tips_item.xml b/app/src/main/res/layout/fragment_assistant_item.xml similarity index 89% rename from app/src/main/res/layout/fragment_tips_item.xml rename to app/src/main/res/layout/fragment_assistant_item.xml index d68b222d..17d69c5e 100644 --- a/app/src/main/res/layout/fragment_tips_item.xml +++ b/app/src/main/res/layout/fragment_assistant_item.xml @@ -13,18 +13,20 @@ android:background="#ffffff" android:orientation="vertical"> + android:paddingRight="16dp" android:paddingLeft="16dp" android:paddingBottom="8dp"/> diff --git a/app/src/main/res/values/strings.xml b/app/src/main/res/values/strings.xml index 60506102..425749ef 100644 --- a/app/src/main/res/values/strings.xml +++ b/app/src/main/res/values/strings.xml @@ -148,6 +148,26 @@ Add a reading Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_research_title + @string/assistant_categories_title + @string/assistant_feedback_title + @string/assistant_reading_title + + + @string/assistant_research_desc + @string/assistant_categories_desc + @string/assistant_feedback_desc + @string/assistant_reading_desc + + + + @string/assistant_action_ok + @string/assistant_action_ok + @string/assistant_action_feedback + @string/assistant_action_reading + + Preferred range ADA AACE From 9a29e3d3dba72537fd65285478cc570d79a694c0 Mon Sep 17 00:00:00 2001 From: Paolo Rotolo Date: Sun, 4 Oct 2015 12:04:13 +0200 Subject: [PATCH 062/126] Fixed Gitty. Closes #70. --- .../main/java/org/glucosio/android/activity/GittyActivity.java | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/app/src/main/java/org/glucosio/android/activity/GittyActivity.java b/app/src/main/java/org/glucosio/android/activity/GittyActivity.java index bbeb6c93..73630d3f 100644 --- a/app/src/main/java/org/glucosio/android/activity/GittyActivity.java +++ b/app/src/main/java/org/glucosio/android/activity/GittyActivity.java @@ -30,7 +30,7 @@ public void init(Bundle savedInstanceState) { // Set where Gitty will send issues. // (username, repository name); - setTargetRepository("Glucosio", "andorid"); + setTargetRepository("Glucosio", "android"); // Set Auth token to open issues if user doesn't have a GitHub account // For example, you can register a bot account on GitHub that will open bugs for you. From 5dee0587fcaf668a6372547e0729c9d077cc30a5 Mon Sep 17 00:00:00 2001 From: Paolo Rotolo Date: Sun, 4 Oct 2015 12:11:39 +0200 Subject: [PATCH 063/126] Sort alphabetically country list. Closes #82. --- .../org/glucosio/android/activity/PreferencesActivity.java | 4 +++- 1 file changed, 3 insertions(+), 1 deletion(-) diff --git a/app/src/main/java/org/glucosio/android/activity/PreferencesActivity.java b/app/src/main/java/org/glucosio/android/activity/PreferencesActivity.java index 015d9779..e6e97152 100644 --- a/app/src/main/java/org/glucosio/android/activity/PreferencesActivity.java +++ b/app/src/main/java/org/glucosio/android/activity/PreferencesActivity.java @@ -20,6 +20,7 @@ import org.glucosio.android.tools.InputFilterMinMax; import java.util.ArrayList; +import java.util.Collections; import java.util.Locale; import uk.co.chrisjenx.calligraphy.CalligraphyConfig; @@ -186,8 +187,9 @@ public boolean onPreferenceChange(Preference preference, Object newValue) { countriesArray.add(country); } } - CharSequence[] countries = countriesArray.toArray(new CharSequence[countriesArray.size()]); + Collections.sort(countriesArray); + CharSequence[] countries = countriesArray.toArray(new CharSequence[countriesArray.size()]); countryPref.setEntryValues(countries); countryPref.setEntries(countries); updateDB(); From 71a2df08f67f792de4b2c974b7a40994477a78d1 Mon Sep 17 00:00:00 2001 From: Paolo Rotolo Date: Sun, 4 Oct 2015 12:36:04 +0200 Subject: [PATCH 064/126] Add actions in Assistant. Closes #7. --- .../android/activity/MainActivity.java | 2 +- .../android/adapter/AssistantAdapter.java | 28 ++++++++++++++++++- .../android/fragment/AssistantFragment.java | 15 +++++++++- .../android/fragment/HistoryFragment.java | 1 - .../android/presenter/AssistantPresenter.java | 25 +++++++++++++++++ app/src/main/res/values/strings.xml | 10 +++---- 6 files changed, 71 insertions(+), 10 deletions(-) create mode 100644 app/src/main/java/org/glucosio/android/presenter/AssistantPresenter.java diff --git a/app/src/main/java/org/glucosio/android/activity/MainActivity.java b/app/src/main/java/org/glucosio/android/activity/MainActivity.java index 85890f84..0cc648c0 100644 --- a/app/src/main/java/org/glucosio/android/activity/MainActivity.java +++ b/app/src/main/java/org/glucosio/android/activity/MainActivity.java @@ -136,7 +136,7 @@ public void onFabClicked(View v){ showAddDialog(); } - private void showAddDialog(){ + public void showAddDialog(){ addDialog = new Dialog(MainActivity.this, R.style.GlucosioTheme); WindowManager.LayoutParams lp = new WindowManager.LayoutParams(); diff --git a/app/src/main/java/org/glucosio/android/adapter/AssistantAdapter.java b/app/src/main/java/org/glucosio/android/adapter/AssistantAdapter.java index 6df5fd27..7c12a88a 100644 --- a/app/src/main/java/org/glucosio/android/adapter/AssistantAdapter.java +++ b/app/src/main/java/org/glucosio/android/adapter/AssistantAdapter.java @@ -8,6 +8,10 @@ import android.view.ViewGroup; import android.widget.TextView; import org.glucosio.android.R; +import org.glucosio.android.activity.MainActivity; +import org.glucosio.android.presenter.AssistantPresenter; +import org.glucosio.android.presenter.HistoryPresenter; + import java.util.ArrayList; public class AssistantAdapter extends RecyclerView.Adapter { @@ -15,6 +19,7 @@ public class AssistantAdapter extends RecyclerView.AdapterBe sure to regularly add your glucose readings so we can help you track your glucose levels over time. - @string/assistant_research_title - @string/assistant_categories_title @string/assistant_feedback_title @string/assistant_reading_title + @string/assistant_categories_title - @string/assistant_research_desc - @string/assistant_categories_desc @string/assistant_feedback_desc @string/assistant_reading_desc + @string/assistant_categories_desc - @string/assistant_action_ok - @string/assistant_action_ok @string/assistant_action_feedback @string/assistant_action_reading + @string/assistant_action_try Preferred range @@ -175,6 +172,7 @@ Custom range Min value Max value + TRT IT NOW @string/helloactivity_spinner_preferred_range_1 From aec6a6a958455e428031e7137f1eb69237cec83b Mon Sep 17 00:00:00 2001 From: Paolo Rotolo Date: Sun, 4 Oct 2015 16:31:20 +0200 Subject: [PATCH 065/126] Make switch to select trend over day, week and month. Closes #47. --- .../glucosio/android/db/DatabaseHandler.java | 8 +- .../android/fragment/OverviewFragment.java | 90 ++++++++++++++++--- .../android/presenter/OverviewPresenter.java | 17 +++- app/src/main/res/layout/fragment_overview.xml | 8 ++ app/src/main/res/values/strings.xml | 10 ++- 5 files changed, 114 insertions(+), 19 deletions(-) diff --git a/app/src/main/java/org/glucosio/android/db/DatabaseHandler.java b/app/src/main/java/org/glucosio/android/db/DatabaseHandler.java index 50b40b7b..038ca372 100644 --- a/app/src/main/java/org/glucosio/android/db/DatabaseHandler.java +++ b/app/src/main/java/org/glucosio/android/db/DatabaseHandler.java @@ -151,13 +151,13 @@ public Integer getAverageGlucoseReadingForLastMonth() { } } - private List getAverageGlucoseReadingsByWeek(){ - String[] columns = new String[] { "reading", "strftime('%Y%W', created_at) AS week" }; + public List getAverageGlucoseReadingsByWeek(){ + String[] columns = new String[] { "reading", "strftime('%Y%W', created) AS week" }; return GlucoseReading.getGlucoseReadingsByGroup(columns, "week"); } - private List getAverageGlucoseReadingsByMonth() { - String[] columns = new String[] { "reading", "strftime('%Y%m', created_at) AS month" }; + public List getAverageGlucoseReadingsByMonth() { + String[] columns = new String[] { "reading", "strftime('%Y%m', created) AS month" }; return GlucoseReading.getGlucoseReadingsByGroup(columns, "month"); } } diff --git a/app/src/main/java/org/glucosio/android/fragment/OverviewFragment.java b/app/src/main/java/org/glucosio/android/fragment/OverviewFragment.java index 6563b2c0..3a750309 100644 --- a/app/src/main/java/org/glucosio/android/fragment/OverviewFragment.java +++ b/app/src/main/java/org/glucosio/android/fragment/OverviewFragment.java @@ -6,7 +6,11 @@ import android.view.LayoutInflater; import android.view.View; import android.view.ViewGroup; +import android.widget.AdapterView; +import android.widget.ArrayAdapter; +import android.widget.Spinner; import android.widget.TextView; +import android.widget.Toast; import com.github.mikephil.charting.charts.LineChart; import com.github.mikephil.charting.components.Legend; @@ -36,6 +40,7 @@ public class OverviewFragment extends Fragment { TextView readingTextView; TextView trendTextView; TextView tipTextView; + Spinner graphSpinner; OverviewPresenter presenter; public static HistoryFragment newInstance() { @@ -73,6 +78,26 @@ public View onCreateView(LayoutInflater inflater, ViewGroup container, readingTextView = (TextView) mFragmentView.findViewById(R.id.item_history_reading); trendTextView = (TextView) mFragmentView.findViewById(R.id.item_history_trend); tipTextView = (TextView) mFragmentView.findViewById(R.id.random_tip_textview); + graphSpinner = (Spinner) mFragmentView.findViewById(R.id.chart_spinner); + + // Set array and adapter for graphSpinner + String[] selectorArray = getActivity().getResources().getStringArray(R.array.fragment_overview_selector); + ArrayAdapter dataAdapter = new ArrayAdapter(getActivity(), android.R.layout.simple_spinner_item, selectorArray); + dataAdapter.setDropDownViewResource(android.R.layout.simple_spinner_dropdown_item); + graphSpinner.setAdapter(dataAdapter); + + graphSpinner.setOnItemSelectedListener(new AdapterView.OnItemSelectedListener() { + @Override + public void onItemSelected(AdapterView parent, View view, int position, long id) { + setData(); + chart.invalidate(); + } + + @Override + public void onNothingSelected(AdapterView parent) { + + } + }); XAxis xAxis = chart.getXAxis(); xAxis.setDrawGridLines(false); @@ -136,23 +161,66 @@ private void setData() { ArrayList xVals = new ArrayList(); - for (int i = 0; i < presenter.getDatetime().size(); i++) { - String date = presenter.convertDate(presenter.getDatetime().get(i)); - xVals.add(date + ""); + if (graphSpinner.getSelectedItemPosition() == 0) { + // Day view + for (int i = 0; i < presenter.getDatetime().size(); i++) { + String date = presenter.convertDate(presenter.getDatetime().get(i)); + xVals.add(date + ""); + } + } else if (graphSpinner.getSelectedItemPosition() == 1){ + // Week view + for (int i = 0; i < presenter.getReadingsWeek().size(); i++) { + String date = presenter.convertDate(presenter.getReadingsWeek().get(i).get_created()); + xVals.add(date + ""); + } + } else { + // Month view + for (int i = 0; i < presenter.getReadingsWeek().size(); i++) { + String date = presenter.convertDate(presenter.getReadingsMonth().get(i).get_created()); + xVals.add(date + ""); + } } GlucoseConverter converter = new GlucoseConverter(); ArrayList yVals = new ArrayList(); - for (int i = 0; i < presenter.getReading().size(); i++) { - if (presenter.getUnitMeasuerement().equals("mg/dL")) { - float val = Float.parseFloat(presenter.getReading().get(i).toString()); - yVals.add(new Entry(val, i)); - } else { - double val = converter.toMmolL(Double.parseDouble(presenter.getReading().get(i).toString())); - float converted = (float) val; - yVals.add(new Entry(converted, i)); + if (graphSpinner.getSelectedItemPosition() == 0) { + // Day view + for (int i = 0; i < presenter.getReading().size(); i++) { + if (presenter.getUnitMeasuerement().equals("mg/dL")) { + float val = Float.parseFloat(presenter.getReading().get(i).toString()); + yVals.add(new Entry(val, i)); + } else { + double val = converter.toMmolL(Double.parseDouble(presenter.getReading().get(i).toString())); + float converted = (float) val; + yVals.add(new Entry(converted, i)); + } + } + } else if (graphSpinner.getSelectedItemPosition() == 1){ + // Week view + Toast.makeText(getActivity().getApplicationContext(), presenter.getReadingsMonth().size()+"", Toast.LENGTH_SHORT).show(); + for (int i = 0; i < presenter.getReadingsWeek().size(); i++) { + if (presenter.getUnitMeasuerement().equals("mg/dL")) { + float val = Float.parseFloat(presenter.getReadingsWeek().get(i).get_reading()+""); + yVals.add(new Entry(val, i)); + } else { + double val = converter.toMmolL(Double.parseDouble(presenter.getReadingsWeek().get(i).get_reading()+"")); + float converted = (float) val; + yVals.add(new Entry(converted, i)); + } + } + } else { + // Month view + for (int i = 0; i < presenter.getReadingsMonth().size(); i++) { + if (presenter.getUnitMeasuerement().equals("mg/dL")) { + float val = Float.parseFloat(presenter.getReadingsMonth().get(i).get_reading()+""); + yVals.add(new Entry(val, i)); + } else { + double val = converter.toMmolL(Double.parseDouble(presenter.getReadingsMonth().get(i).get_reading()+"")); + float converted = (float) val; + yVals.add(new Entry(converted, i)); + } } } diff --git a/app/src/main/java/org/glucosio/android/presenter/OverviewPresenter.java b/app/src/main/java/org/glucosio/android/presenter/OverviewPresenter.java index 77a1b262..faa281a9 100644 --- a/app/src/main/java/org/glucosio/android/presenter/OverviewPresenter.java +++ b/app/src/main/java/org/glucosio/android/presenter/OverviewPresenter.java @@ -1,23 +1,24 @@ package org.glucosio.android.presenter; import org.glucosio.android.db.DatabaseHandler; +import org.glucosio.android.db.GlucoseReading; import org.glucosio.android.fragment.HistoryFragment; import org.glucosio.android.fragment.OverviewFragment; import org.glucosio.android.tools.ReadingTools; import org.glucosio.android.tools.TipsManager; import java.util.ArrayList; +import java.util.List; import java.util.Random; -/** - * Created by paolo on 10/09/15. - */ public class OverviewPresenter { DatabaseHandler dB; private ArrayList reading; private ArrayList type; private ArrayList datetime; + private List readingsWeek; + private List readingsMonth; OverviewFragment fragment; @@ -32,6 +33,8 @@ public boolean isdbEmpty(){ public void loadDatabase(){ this.reading = dB.getGlucoseReadingAsArray(); + this.readingsMonth = dB.getAverageGlucoseReadingsByMonth(); + this.readingsWeek = dB.getAverageGlucoseReadingsByWeek(); this.type = dB.getGlucoseTypeAsArray(); this.datetime = dB.getGlucoseDateTimeAsArray(); } @@ -76,4 +79,12 @@ public ArrayList getType() { public ArrayList getDatetime() { return datetime; } + + public List getReadingsWeek() { + return readingsWeek; + } + + public List getReadingsMonth() { + return readingsMonth; + } } diff --git a/app/src/main/res/layout/fragment_overview.xml b/app/src/main/res/layout/fragment_overview.xml index 416ca26b..2c8e36ac 100644 --- a/app/src/main/res/layout/fragment_overview.xml +++ b/app/src/main/res/layout/fragment_overview.xml @@ -1,5 +1,6 @@ + Last check: Trend over past month: in range and healthy - Tip + Month + Day + Week + + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + Use less cheese in your recipes and meals. Fresh mozzarella packed in water and Swiss cheese are usually lower in sodium. About 0.8.0 (Noce) From 4f1d9cd1d8011be996d7ef029629dc9bade655a2 Mon Sep 17 00:00:00 2001 From: Paolo Rotolo Date: Sun, 4 Oct 2015 16:49:37 +0200 Subject: [PATCH 066/126] Fixed method to get LOCALE DateTime format. --- .../org/glucosio/android/tools/FormatDateTime.java | 11 ++++++++++- 1 file changed, 10 insertions(+), 1 deletion(-) diff --git a/app/src/main/java/org/glucosio/android/tools/FormatDateTime.java b/app/src/main/java/org/glucosio/android/tools/FormatDateTime.java index 7e2f52cf..edc5e3ca 100644 --- a/app/src/main/java/org/glucosio/android/tools/FormatDateTime.java +++ b/app/src/main/java/org/glucosio/android/tools/FormatDateTime.java @@ -7,6 +7,7 @@ import java.text.ParseException; import java.text.SimpleDateFormat; import java.util.Date; +import java.util.Locale; public class FormatDateTime { @@ -17,6 +18,12 @@ public FormatDateTime(Context mContext){ public String convertDate(String date) { java.text.DateFormat inputFormat = new SimpleDateFormat("yyyy-MM-dd HH:mm"); + + DateFormat formatter = DateFormat.getDateInstance(DateFormat.SHORT, Locale.getDefault()); + String localPattern = ((SimpleDateFormat)formatter).toLocalizedPattern(); + java.text.DateFormat finalDataFormat = new SimpleDateFormat(localPattern); + java.text.DateFormat finalTimeFormat = DateFormat.getTimeInstance(DateFormat.SHORT); + Date parsed = null; try { parsed = inputFormat.parse(date); @@ -24,6 +31,8 @@ public String convertDate(String date) { // TODO Auto-generated catch block e.printStackTrace(); } - return DateFormat.getDateTimeInstance().format(parsed); + String finalData = finalDataFormat.format(parsed); + String finalTime = finalTimeFormat.format(parsed); + return finalData + " " + finalTime; } } From 9a821643edf42b4d3dab6a9b8f8da958baa2a68c Mon Sep 17 00:00:00 2001 From: Paolo Rotolo Date: Sun, 4 Oct 2015 16:49:58 +0200 Subject: [PATCH 067/126] Fixed method to get LOCALE DateTime format. Closes #65. --- app/src/main/java/org/glucosio/android/tools/FormatDateTime.java | 1 - 1 file changed, 1 deletion(-) diff --git a/app/src/main/java/org/glucosio/android/tools/FormatDateTime.java b/app/src/main/java/org/glucosio/android/tools/FormatDateTime.java index edc5e3ca..1091788d 100644 --- a/app/src/main/java/org/glucosio/android/tools/FormatDateTime.java +++ b/app/src/main/java/org/glucosio/android/tools/FormatDateTime.java @@ -23,7 +23,6 @@ public String convertDate(String date) { String localPattern = ((SimpleDateFormat)formatter).toLocalizedPattern(); java.text.DateFormat finalDataFormat = new SimpleDateFormat(localPattern); java.text.DateFormat finalTimeFormat = DateFormat.getTimeInstance(DateFormat.SHORT); - Date parsed = null; try { parsed = inputFormat.parse(date); From a7e12022acf356d2c29531909cb3f8c266bd6b7e Mon Sep 17 00:00:00 2001 From: Paolo Rotolo Date: Sun, 4 Oct 2015 16:53:53 +0200 Subject: [PATCH 068/126] Optimize code. --- .../android/activity/HelloActivity.java | 24 ++++++++-------- .../android/activity/MainActivity.java | 22 +++++++-------- .../android/activity/PreferencesActivity.java | 28 +++++++++---------- .../android/adapter/HomePagerAdapter.java | 2 +- .../android/fragment/HistoryFragment.java | 10 +++---- .../android/fragment/OverviewFragment.java | 13 ++++----- .../android/presenter/AssistantPresenter.java | 4 +-- .../android/presenter/HelloPresenter.java | 20 ++++++------- .../android/presenter/HistoryPresenter.java | 4 +-- .../android/presenter/MainPresenter.java | 12 ++++---- .../android/presenter/OverviewPresenter.java | 4 +-- 11 files changed, 71 insertions(+), 72 deletions(-) diff --git a/app/src/main/java/org/glucosio/android/activity/HelloActivity.java b/app/src/main/java/org/glucosio/android/activity/HelloActivity.java index b5f2d190..09b0c717 100644 --- a/app/src/main/java/org/glucosio/android/activity/HelloActivity.java +++ b/app/src/main/java/org/glucosio/android/activity/HelloActivity.java @@ -38,18 +38,18 @@ public class HelloActivity extends AppCompatActivity { - LabelledSpinner countrySpinner; - LabelledSpinner genderSpinner; - LabelledSpinner typeSpinner; - LabelledSpinner unitSpinner; - View firstView; - View EULAView; - CheckBox EULACheckbox; - Button startButton; - TextView ageTextView; - TextView termsTextView; - Button nextButton; - HelloPresenter presenter; + private LabelledSpinner countrySpinner; + private LabelledSpinner genderSpinner; + private LabelledSpinner typeSpinner; + private LabelledSpinner unitSpinner; + private View firstView; + private View EULAView; + private CheckBox EULACheckbox; + private Button startButton; + private TextView ageTextView; + private TextView termsTextView; + private Button nextButton; + private HelloPresenter presenter; @Override protected void onCreate(Bundle savedInstanceState) { diff --git a/app/src/main/java/org/glucosio/android/activity/MainActivity.java b/app/src/main/java/org/glucosio/android/activity/MainActivity.java index 0cc648c0..ce29dfab 100644 --- a/app/src/main/java/org/glucosio/android/activity/MainActivity.java +++ b/app/src/main/java/org/glucosio/android/activity/MainActivity.java @@ -40,17 +40,17 @@ public class MainActivity extends AppCompatActivity implements TimePickerDialog.OnTimeSetListener, DatePickerDialog.OnDateSetListener{ - LabelledSpinner spinnerReadingType; - Dialog addDialog; - - TextView dialogCancelButton; - TextView dialogAddButton; - TextView dialogAddTime; - TextView dialogAddDate; - TextView dialogReading; - EditText dialogTypeCustom; - HomePagerAdapter homePagerAdapter; - boolean isCustomType; + private LabelledSpinner spinnerReadingType; + private Dialog addDialog; + + private TextView dialogCancelButton; + private TextView dialogAddButton; + private TextView dialogAddTime; + private TextView dialogAddDate; + private TextView dialogReading; + private EditText dialogTypeCustom; + private HomePagerAdapter homePagerAdapter; + private boolean isCustomType; private MainPresenter presenter; diff --git a/app/src/main/java/org/glucosio/android/activity/PreferencesActivity.java b/app/src/main/java/org/glucosio/android/activity/PreferencesActivity.java index e6e97152..c9326f89 100644 --- a/app/src/main/java/org/glucosio/android/activity/PreferencesActivity.java +++ b/app/src/main/java/org/glucosio/android/activity/PreferencesActivity.java @@ -42,20 +42,20 @@ protected void onCreate(Bundle savedInstanceState) { public static class MyPreferenceFragment extends PreferenceFragment { - Dialog termsDialog; - DatabaseHandler dB; - User user; - ListPreference countryPref; - ListPreference genderPref; - ListPreference diabetesTypePref; - ListPreference unitPref; - ListPreference rangePref; - EditText ageEditText; - EditText minEditText; - EditText maxEditText; - EditTextPreference agePref; - EditTextPreference minRangePref; - EditTextPreference maxRangePref; + private Dialog termsDialog; + private DatabaseHandler dB; + private User user; + private ListPreference countryPref; + private ListPreference genderPref; + private ListPreference diabetesTypePref; + private ListPreference unitPref; + private ListPreference rangePref; + private EditText ageEditText; + private EditText minEditText; + private EditText maxEditText; + private EditTextPreference agePref; + private EditTextPreference minRangePref; + private EditTextPreference maxRangePref; @Override public void onCreate(final Bundle savedInstanceState) { diff --git a/app/src/main/java/org/glucosio/android/adapter/HomePagerAdapter.java b/app/src/main/java/org/glucosio/android/adapter/HomePagerAdapter.java index 687231c4..c45a5c8a 100644 --- a/app/src/main/java/org/glucosio/android/adapter/HomePagerAdapter.java +++ b/app/src/main/java/org/glucosio/android/adapter/HomePagerAdapter.java @@ -15,7 +15,7 @@ */ public class HomePagerAdapter extends FragmentPagerAdapter { - Context mContext; + private Context mContext; public HomePagerAdapter(FragmentManager fm, Context context) { diff --git a/app/src/main/java/org/glucosio/android/fragment/HistoryFragment.java b/app/src/main/java/org/glucosio/android/fragment/HistoryFragment.java index 3b3df5af..ae213b8d 100644 --- a/app/src/main/java/org/glucosio/android/fragment/HistoryFragment.java +++ b/app/src/main/java/org/glucosio/android/fragment/HistoryFragment.java @@ -26,11 +26,11 @@ public class HistoryFragment extends Fragment { - RecyclerView mRecyclerView; - LinearLayoutManager mLayoutManager; - RecyclerView.Adapter mAdapter; - HistoryPresenter presenter; - Boolean isToolbarScrolling = true; + private RecyclerView mRecyclerView; + private LinearLayoutManager mLayoutManager; + private RecyclerView.Adapter mAdapter; + private HistoryPresenter presenter; + private Boolean isToolbarScrolling = true; public static HistoryFragment newInstance() { HistoryFragment fragment = new HistoryFragment(); diff --git a/app/src/main/java/org/glucosio/android/fragment/OverviewFragment.java b/app/src/main/java/org/glucosio/android/fragment/OverviewFragment.java index 3a750309..688daa37 100644 --- a/app/src/main/java/org/glucosio/android/fragment/OverviewFragment.java +++ b/app/src/main/java/org/glucosio/android/fragment/OverviewFragment.java @@ -36,12 +36,12 @@ public class OverviewFragment extends Fragment { - LineChart chart; - TextView readingTextView; - TextView trendTextView; - TextView tipTextView; - Spinner graphSpinner; - OverviewPresenter presenter; + private LineChart chart; + private TextView readingTextView; + private TextView trendTextView; + private TextView tipTextView; + private Spinner graphSpinner; + private OverviewPresenter presenter; public static HistoryFragment newInstance() { HistoryFragment fragment = new HistoryFragment(); @@ -199,7 +199,6 @@ private void setData() { } } else if (graphSpinner.getSelectedItemPosition() == 1){ // Week view - Toast.makeText(getActivity().getApplicationContext(), presenter.getReadingsMonth().size()+"", Toast.LENGTH_SHORT).show(); for (int i = 0; i < presenter.getReadingsWeek().size(); i++) { if (presenter.getUnitMeasuerement().equals("mg/dL")) { float val = Float.parseFloat(presenter.getReadingsWeek().get(i).get_reading()+""); diff --git a/app/src/main/java/org/glucosio/android/presenter/AssistantPresenter.java b/app/src/main/java/org/glucosio/android/presenter/AssistantPresenter.java index 8249fc23..338e4868 100644 --- a/app/src/main/java/org/glucosio/android/presenter/AssistantPresenter.java +++ b/app/src/main/java/org/glucosio/android/presenter/AssistantPresenter.java @@ -6,8 +6,8 @@ import org.glucosio.android.fragment.AssistantFragment; public class AssistantPresenter { - DatabaseHandler dB; - AssistantFragment fragment; + private DatabaseHandler dB; + private AssistantFragment fragment; public AssistantPresenter(AssistantFragment assistantFragment) { diff --git a/app/src/main/java/org/glucosio/android/presenter/HelloPresenter.java b/app/src/main/java/org/glucosio/android/presenter/HelloPresenter.java index ddcd94da..64c08abc 100644 --- a/app/src/main/java/org/glucosio/android/presenter/HelloPresenter.java +++ b/app/src/main/java/org/glucosio/android/presenter/HelloPresenter.java @@ -11,16 +11,16 @@ public class HelloPresenter { - DatabaseHandler dB; - HelloActivity helloActivity; - int id; - int age; - String name; - String country; - String gender; - int diabetesType; - String unitMeasurement; - String language; + private DatabaseHandler dB; + private HelloActivity helloActivity; + private int id; + private int age; + private String name; + private String country; + private String gender; + private int diabetesType; + private String unitMeasurement; + private String language; public HelloPresenter(HelloActivity helloActivity) { this.helloActivity = helloActivity; diff --git a/app/src/main/java/org/glucosio/android/presenter/HistoryPresenter.java b/app/src/main/java/org/glucosio/android/presenter/HistoryPresenter.java index 565bb9a9..763b9214 100644 --- a/app/src/main/java/org/glucosio/android/presenter/HistoryPresenter.java +++ b/app/src/main/java/org/glucosio/android/presenter/HistoryPresenter.java @@ -12,12 +12,12 @@ public class HistoryPresenter { - DatabaseHandler dB; + private DatabaseHandler dB; private ArrayList id; private ArrayList reading; private ArrayList type; private ArrayList datetime; - HistoryFragment fragment; + private HistoryFragment fragment; public HistoryPresenter(HistoryFragment historyFragment) { this.fragment = historyFragment; diff --git a/app/src/main/java/org/glucosio/android/presenter/MainPresenter.java b/app/src/main/java/org/glucosio/android/presenter/MainPresenter.java index 7f4090ab..d5b86b42 100644 --- a/app/src/main/java/org/glucosio/android/presenter/MainPresenter.java +++ b/app/src/main/java/org/glucosio/android/presenter/MainPresenter.java @@ -14,13 +14,13 @@ public class MainPresenter { - MainActivity mainActivity; + private MainActivity mainActivity; - DatabaseHandler dB; - User user; - ReadingTools rTools; - GlucoseConverter converter; - int age; + private DatabaseHandler dB; + private User user; + private ReadingTools rTools; + private GlucoseConverter converter; + private int age; private String readingYear; private String readingMonth; diff --git a/app/src/main/java/org/glucosio/android/presenter/OverviewPresenter.java b/app/src/main/java/org/glucosio/android/presenter/OverviewPresenter.java index faa281a9..36be7c07 100644 --- a/app/src/main/java/org/glucosio/android/presenter/OverviewPresenter.java +++ b/app/src/main/java/org/glucosio/android/presenter/OverviewPresenter.java @@ -13,13 +13,13 @@ public class OverviewPresenter { - DatabaseHandler dB; + private DatabaseHandler dB; private ArrayList reading; private ArrayList type; private ArrayList datetime; private List readingsWeek; private List readingsMonth; - OverviewFragment fragment; + private OverviewFragment fragment; public OverviewPresenter(OverviewFragment overviewFragment) { From 873841ec4850b786242249ae95937ee7ff59a6b4 Mon Sep 17 00:00:00 2001 From: Benjamin Kerensa Date: Sun, 4 Oct 2015 13:30:29 -0700 Subject: [PATCH 069/126] Grammar fix Thanks to Faith Sutherlin of Brigham Young University Linguistics Program for reporting this! --- app/src/main/res/values/strings.xml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/app/src/main/res/values/strings.xml b/app/src/main/res/values/strings.xml index 3452e7a1..07a92429 100644 --- a/app/src/main/res/values/strings.xml +++ b/app/src/main/res/values/strings.xml @@ -130,7 +130,7 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. From c6a002ce194ca912f3dfc34032e8699d0cd79b4d Mon Sep 17 00:00:00 2001 From: Benjamin Kerensa Date: Sun, 4 Oct 2015 17:39:28 -0700 Subject: [PATCH 070/126] Fix Typo Change TRT to TRY --- app/src/main/res/values/strings.xml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/app/src/main/res/values/strings.xml b/app/src/main/res/values/strings.xml index 07a92429..2e13f4fc 100644 --- a/app/src/main/res/values/strings.xml +++ b/app/src/main/res/values/strings.xml @@ -180,7 +180,7 @@ Custom range Min value Max value - TRT IT NOW + TRY IT NOW @string/helloactivity_spinner_preferred_range_1 From c305d360a43f17c6d09fde1b98d5719d43efa953 Mon Sep 17 00:00:00 2001 From: Benjamin Kerensa Date: Sun, 4 Oct 2015 17:48:40 -0700 Subject: [PATCH 071/126] Tweak short description to meet char limit --- app/src/main/res/values/google-playstore-strings.xml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/app/src/main/res/values/google-playstore-strings.xml b/app/src/main/res/values/google-playstore-strings.xml index a0fe3247..41053791 100644 --- a/app/src/main/res/values/google-playstore-strings.xml +++ b/app/src/main/res/values/google-playstore-strings.xml @@ -8,7 +8,7 @@ Glucosio - Glucosio is a user centered free and open source app for diabetes management and research + Glucosio is a user centered free and open source app for people with diabetes Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. From fcf420f484b4376ff855134a56869c18d48006aa Mon Sep 17 00:00:00 2001 From: Paolo Rotolo Date: Mon, 5 Oct 2015 16:22:47 +0200 Subject: [PATCH 072/126] Fix locale hour format. --- .../org/glucosio/android/tools/FormatDateTime.java | 10 +++++++++- 1 file changed, 9 insertions(+), 1 deletion(-) diff --git a/app/src/main/java/org/glucosio/android/tools/FormatDateTime.java b/app/src/main/java/org/glucosio/android/tools/FormatDateTime.java index 1091788d..332c251a 100644 --- a/app/src/main/java/org/glucosio/android/tools/FormatDateTime.java +++ b/app/src/main/java/org/glucosio/android/tools/FormatDateTime.java @@ -22,7 +22,15 @@ public String convertDate(String date) { DateFormat formatter = DateFormat.getDateInstance(DateFormat.SHORT, Locale.getDefault()); String localPattern = ((SimpleDateFormat)formatter).toLocalizedPattern(); java.text.DateFormat finalDataFormat = new SimpleDateFormat(localPattern); - java.text.DateFormat finalTimeFormat = DateFormat.getTimeInstance(DateFormat.SHORT); + + java.text.DateFormat finalTimeFormat; + + if (android.text.format.DateFormat.is24HourFormat(context)) { + finalTimeFormat = new SimpleDateFormat("HH:mm"); + } else { + finalTimeFormat = new SimpleDateFormat("hh:mm a"); + } + Date parsed = null; try { parsed = inputFormat.parse(date); From 29ad3ffb4ebfa3e8765139cf02f55a3448601b62 Mon Sep 17 00:00:00 2001 From: Paolo Rotolo Date: Mon, 5 Oct 2015 16:23:13 +0200 Subject: [PATCH 073/126] Fix locale hour format. Closes #86. --- app/src/main/java/org/glucosio/android/tools/FormatDateTime.java | 1 - 1 file changed, 1 deletion(-) diff --git a/app/src/main/java/org/glucosio/android/tools/FormatDateTime.java b/app/src/main/java/org/glucosio/android/tools/FormatDateTime.java index 332c251a..9991cc04 100644 --- a/app/src/main/java/org/glucosio/android/tools/FormatDateTime.java +++ b/app/src/main/java/org/glucosio/android/tools/FormatDateTime.java @@ -22,7 +22,6 @@ public String convertDate(String date) { DateFormat formatter = DateFormat.getDateInstance(DateFormat.SHORT, Locale.getDefault()); String localPattern = ((SimpleDateFormat)formatter).toLocalizedPattern(); java.text.DateFormat finalDataFormat = new SimpleDateFormat(localPattern); - java.text.DateFormat finalTimeFormat; if (android.text.format.DateFormat.is24HourFormat(context)) { From 92870a66fe2dab8687dec696e701726c433bb018 Mon Sep 17 00:00:00 2001 From: Paolo Rotolo Date: Mon, 5 Oct 2015 16:39:16 +0200 Subject: [PATCH 074/126] Check if age and ranges are valid in preferences. --- .../android/activity/PreferencesActivity.java | 23 +++++++++++++------ .../android/tools/FormatDateTime.java | 2 +- .../glucosio/android/tools/GlucoseRanges.java | 8 +++---- 3 files changed, 21 insertions(+), 12 deletions(-) diff --git a/app/src/main/java/org/glucosio/android/activity/PreferencesActivity.java b/app/src/main/java/org/glucosio/android/activity/PreferencesActivity.java index c9326f89..bc364762 100644 --- a/app/src/main/java/org/glucosio/android/activity/PreferencesActivity.java +++ b/app/src/main/java/org/glucosio/android/activity/PreferencesActivity.java @@ -109,9 +109,12 @@ public boolean onPreferenceChange(Preference preference, Object newValue) { agePref.setOnPreferenceChangeListener(new Preference.OnPreferenceChangeListener() { @Override public boolean onPreferenceChange(Preference preference, Object newValue) { + if (newValue.toString().trim().equals("")) { + return false; + } user.set_age(Integer.parseInt(newValue.toString())); updateDB(); - return false; + return true; } }); genderPref.setOnPreferenceChangeListener(new Preference.OnPreferenceChangeListener() { @@ -119,7 +122,7 @@ public boolean onPreferenceChange(Preference preference, Object newValue) { public boolean onPreferenceChange(Preference preference, Object newValue) { user.set_gender(newValue.toString()); updateDB(); - return false; + return true; } }); diabetesTypePref.setOnPreferenceChangeListener(new Preference.OnPreferenceChangeListener() { @@ -132,7 +135,7 @@ public boolean onPreferenceChange(Preference preference, Object newValue) { user.set_d_type(2); updateDB(); } - return false; + return true; } }); unitPref.setOnPreferenceChangeListener(new Preference.OnPreferenceChangeListener() { @@ -140,7 +143,7 @@ public boolean onPreferenceChange(Preference preference, Object newValue) { public boolean onPreferenceChange(Preference preference, Object newValue) { user.set_preferred_unit(newValue.toString()); updateDB(); - return false; + return true; } }); rangePref.setOnPreferenceChangeListener(new Preference.OnPreferenceChangeListener() { @@ -148,23 +151,29 @@ public boolean onPreferenceChange(Preference preference, Object newValue) { public boolean onPreferenceChange(Preference preference, Object newValue) { user.set_preferred_range(newValue.toString()); updateDB(); - return false; + return true; } }); minRangePref.setOnPreferenceChangeListener(new Preference.OnPreferenceChangeListener() { @Override public boolean onPreferenceChange(Preference preference, Object newValue) { + if (newValue.toString().trim().equals("")) { + return false; + } user.set_custom_range_min(Integer.parseInt(newValue.toString())); updateDB(); - return false; + return true; } }); maxRangePref.setOnPreferenceChangeListener(new Preference.OnPreferenceChangeListener() { @Override public boolean onPreferenceChange(Preference preference, Object newValue) { + if (newValue.toString().trim().equals("")) { + return false; + } user.set_custom_range_max(Integer.parseInt(newValue.toString())); updateDB(); - return false; + return true; } }); diff --git a/app/src/main/java/org/glucosio/android/tools/FormatDateTime.java b/app/src/main/java/org/glucosio/android/tools/FormatDateTime.java index 9991cc04..31186358 100644 --- a/app/src/main/java/org/glucosio/android/tools/FormatDateTime.java +++ b/app/src/main/java/org/glucosio/android/tools/FormatDateTime.java @@ -11,7 +11,7 @@ public class FormatDateTime { - Context context; + private Context context; public FormatDateTime(Context mContext){ this.context= mContext; } diff --git a/app/src/main/java/org/glucosio/android/tools/GlucoseRanges.java b/app/src/main/java/org/glucosio/android/tools/GlucoseRanges.java index 9dfaa53b..4812e0d0 100644 --- a/app/src/main/java/org/glucosio/android/tools/GlucoseRanges.java +++ b/app/src/main/java/org/glucosio/android/tools/GlucoseRanges.java @@ -4,10 +4,10 @@ public class GlucoseRanges { - DatabaseHandler dB; - String preferredRange; - int customMin; - int customMax; + private DatabaseHandler dB; + private String preferredRange; + private int customMin; + private int customMax; public GlucoseRanges(){ dB = new DatabaseHandler(); From 0002c2a976d2b027f155921bbdbbd22437b895bf Mon Sep 17 00:00:00 2001 From: Paolo Rotolo Date: Mon, 5 Oct 2015 17:01:24 +0200 Subject: [PATCH 075/126] Clean code. --- .../android/activity/HelloActivity.java | 9 -- .../android/activity/LicenceActivity.java | 5 - .../android/activity/PreferencesActivity.java | 10 -- .../android/adapter/AssistantAdapter.java | 5 - .../android/adapter/HistoryAdapter.java | 9 +- .../android/adapter/HomePagerAdapter.java | 3 - .../android/fragment/HistoryFragment.java | 2 - .../android/fragment/OverviewFragment.java | 5 - .../android/presenter/AssistantPresenter.java | 2 - .../android/presenter/HelloPresenter.java | 3 - .../android/presenter/HistoryPresenter.java | 4 - .../android/presenter/OverviewPresenter.java | 1 - .../android/tools/DividerItemDecoration.java | 124 ------------------ .../android/tools/FormatDateTime.java | 1 - .../android/tools/NonSwipeableViewPager.java | 29 ---- .../glucosio/android/tools/ReadingTools.java | 12 -- 16 files changed, 1 insertion(+), 223 deletions(-) delete mode 100644 app/src/main/java/org/glucosio/android/tools/DividerItemDecoration.java delete mode 100644 app/src/main/java/org/glucosio/android/tools/NonSwipeableViewPager.java diff --git a/app/src/main/java/org/glucosio/android/activity/HelloActivity.java b/app/src/main/java/org/glucosio/android/activity/HelloActivity.java index 09b0c717..2ca4d258 100644 --- a/app/src/main/java/org/glucosio/android/activity/HelloActivity.java +++ b/app/src/main/java/org/glucosio/android/activity/HelloActivity.java @@ -2,14 +2,10 @@ import android.animation.Animator; import android.animation.AnimatorListenerAdapter; -import android.content.Context; import android.content.Intent; import android.graphics.drawable.Drawable; -import android.support.design.widget.TextInputLayout; import android.support.v7.app.AppCompatActivity; import android.os.Bundle; -import android.support.v7.widget.Toolbar; -import android.text.TextUtils; import android.text.method.ScrollingMovementMethod; import android.view.Menu; import android.view.MenuItem; @@ -24,8 +20,6 @@ import android.widget.Toast; import org.glucosio.android.R; -import org.glucosio.android.db.DatabaseHandler; -import org.glucosio.android.db.User; import org.glucosio.android.presenter.HelloPresenter; import org.glucosio.android.tools.LabelledSpinner; @@ -33,9 +27,6 @@ import java.util.Collections; import java.util.Locale; -import uk.co.chrisjenx.calligraphy.CalligraphyConfig; -import uk.co.chrisjenx.calligraphy.CalligraphyContextWrapper; - public class HelloActivity extends AppCompatActivity { private LabelledSpinner countrySpinner; diff --git a/app/src/main/java/org/glucosio/android/activity/LicenceActivity.java b/app/src/main/java/org/glucosio/android/activity/LicenceActivity.java index 46f593f3..b2df6912 100644 --- a/app/src/main/java/org/glucosio/android/activity/LicenceActivity.java +++ b/app/src/main/java/org/glucosio/android/activity/LicenceActivity.java @@ -1,16 +1,11 @@ package org.glucosio.android.activity; -import android.content.Context; import android.os.Bundle; import android.support.v7.app.AppCompatActivity; import android.view.View; import android.widget.TextView; - import org.glucosio.android.R; -import uk.co.chrisjenx.calligraphy.CalligraphyConfig; -import uk.co.chrisjenx.calligraphy.CalligraphyContextWrapper; - public class LicenceActivity extends AppCompatActivity { @Override diff --git a/app/src/main/java/org/glucosio/android/activity/PreferencesActivity.java b/app/src/main/java/org/glucosio/android/activity/PreferencesActivity.java index bc364762..a50291cb 100644 --- a/app/src/main/java/org/glucosio/android/activity/PreferencesActivity.java +++ b/app/src/main/java/org/glucosio/android/activity/PreferencesActivity.java @@ -1,7 +1,5 @@ package org.glucosio.android.activity; -import android.app.Dialog; -import android.content.Context; import android.content.Intent; import android.os.Bundle; import android.preference.EditTextPreference; @@ -12,20 +10,14 @@ import android.text.InputFilter; import android.view.MenuItem; import android.widget.EditText; -import android.widget.Toast; - import org.glucosio.android.R; import org.glucosio.android.db.DatabaseHandler; import org.glucosio.android.db.User; import org.glucosio.android.tools.InputFilterMinMax; - import java.util.ArrayList; import java.util.Collections; import java.util.Locale; -import uk.co.chrisjenx.calligraphy.CalligraphyConfig; -import uk.co.chrisjenx.calligraphy.CalligraphyContextWrapper; - public class PreferencesActivity extends AppCompatActivity { @Override @@ -41,8 +33,6 @@ protected void onCreate(Bundle savedInstanceState) { } public static class MyPreferenceFragment extends PreferenceFragment { - - private Dialog termsDialog; private DatabaseHandler dB; private User user; private ListPreference countryPref; diff --git a/app/src/main/java/org/glucosio/android/adapter/AssistantAdapter.java b/app/src/main/java/org/glucosio/android/adapter/AssistantAdapter.java index 7c12a88a..44ebe7d1 100644 --- a/app/src/main/java/org/glucosio/android/adapter/AssistantAdapter.java +++ b/app/src/main/java/org/glucosio/android/adapter/AssistantAdapter.java @@ -8,12 +8,7 @@ import android.view.ViewGroup; import android.widget.TextView; import org.glucosio.android.R; -import org.glucosio.android.activity.MainActivity; import org.glucosio.android.presenter.AssistantPresenter; -import org.glucosio.android.presenter.HistoryPresenter; - -import java.util.ArrayList; - public class AssistantAdapter extends RecyclerView.Adapter { private Context mContext; private String[] actionTipTitles; diff --git a/app/src/main/java/org/glucosio/android/adapter/HistoryAdapter.java b/app/src/main/java/org/glucosio/android/adapter/HistoryAdapter.java index 4ada0d47..643716cd 100644 --- a/app/src/main/java/org/glucosio/android/adapter/HistoryAdapter.java +++ b/app/src/main/java/org/glucosio/android/adapter/HistoryAdapter.java @@ -2,28 +2,21 @@ import android.content.Context; import android.graphics.Color; -import android.provider.ContactsContract; import android.support.v7.widget.RecyclerView; import android.view.LayoutInflater; import android.view.View; import android.view.ViewGroup; import android.widget.TextView; -import android.widget.Toast; import org.glucosio.android.R; -import org.glucosio.android.activity.MainActivity; -import org.glucosio.android.db.DatabaseHandler; import org.glucosio.android.presenter.HistoryPresenter; -import org.glucosio.android.tools.FormatDateTime; import org.glucosio.android.tools.GlucoseConverter; import org.glucosio.android.tools.GlucoseRanges; -import org.glucosio.android.tools.ReadingTools; -import java.util.ArrayList; import java.util.Collections; public class HistoryAdapter extends RecyclerView.Adapter { - private Context mContext; + Context mContext; private HistoryPresenter presenter; private GlucoseConverter converter; diff --git a/app/src/main/java/org/glucosio/android/adapter/HomePagerAdapter.java b/app/src/main/java/org/glucosio/android/adapter/HomePagerAdapter.java index c45a5c8a..fc7ba6ab 100644 --- a/app/src/main/java/org/glucosio/android/adapter/HomePagerAdapter.java +++ b/app/src/main/java/org/glucosio/android/adapter/HomePagerAdapter.java @@ -10,9 +10,6 @@ import org.glucosio.android.fragment.OverviewFragment; import org.glucosio.android.fragment.AssistantFragment; -/** - * Created by paolo on 13/08/15. - */ public class HomePagerAdapter extends FragmentPagerAdapter { private Context mContext; diff --git a/app/src/main/java/org/glucosio/android/fragment/HistoryFragment.java b/app/src/main/java/org/glucosio/android/fragment/HistoryFragment.java index ae213b8d..41b38584 100644 --- a/app/src/main/java/org/glucosio/android/fragment/HistoryFragment.java +++ b/app/src/main/java/org/glucosio/android/fragment/HistoryFragment.java @@ -14,12 +14,10 @@ import android.view.View; import android.view.ViewGroup; import android.widget.TextView; -import android.widget.Toast; import org.glucosio.android.R; import org.glucosio.android.activity.MainActivity; import org.glucosio.android.adapter.HistoryAdapter; -import org.glucosio.android.db.GlucoseReading; import org.glucosio.android.listener.RecyclerItemClickListener; import org.glucosio.android.presenter.HistoryPresenter; import org.glucosio.android.tools.FormatDateTime; diff --git a/app/src/main/java/org/glucosio/android/fragment/OverviewFragment.java b/app/src/main/java/org/glucosio/android/fragment/OverviewFragment.java index 688daa37..325d1089 100644 --- a/app/src/main/java/org/glucosio/android/fragment/OverviewFragment.java +++ b/app/src/main/java/org/glucosio/android/fragment/OverviewFragment.java @@ -10,7 +10,6 @@ import android.widget.ArrayAdapter; import android.widget.Spinner; import android.widget.TextView; -import android.widget.Toast; import com.github.mikephil.charting.charts.LineChart; import com.github.mikephil.charting.components.Legend; @@ -21,18 +20,14 @@ import com.github.mikephil.charting.data.LineData; import com.github.mikephil.charting.data.LineDataSet; import org.glucosio.android.R; -import org.glucosio.android.activity.MainActivity; -import org.glucosio.android.db.DatabaseHandler; import org.glucosio.android.presenter.OverviewPresenter; import org.glucosio.android.tools.FormatDateTime; import org.glucosio.android.tools.GlucoseConverter; import org.glucosio.android.tools.GlucoseRanges; -import org.glucosio.android.tools.ReadingTools; import org.glucosio.android.tools.TipsManager; import java.util.ArrayList; import java.util.Collections; -import java.util.Random; public class OverviewFragment extends Fragment { diff --git a/app/src/main/java/org/glucosio/android/presenter/AssistantPresenter.java b/app/src/main/java/org/glucosio/android/presenter/AssistantPresenter.java index 338e4868..ee925bca 100644 --- a/app/src/main/java/org/glucosio/android/presenter/AssistantPresenter.java +++ b/app/src/main/java/org/glucosio/android/presenter/AssistantPresenter.java @@ -1,7 +1,5 @@ package org.glucosio.android.presenter; -import org.glucosio.android.activity.HelloActivity; -import org.glucosio.android.activity.MainActivity; import org.glucosio.android.db.DatabaseHandler; import org.glucosio.android.fragment.AssistantFragment; diff --git a/app/src/main/java/org/glucosio/android/presenter/HelloPresenter.java b/app/src/main/java/org/glucosio/android/presenter/HelloPresenter.java index 64c08abc..fc636072 100644 --- a/app/src/main/java/org/glucosio/android/presenter/HelloPresenter.java +++ b/app/src/main/java/org/glucosio/android/presenter/HelloPresenter.java @@ -1,13 +1,10 @@ package org.glucosio.android.presenter; import android.text.TextUtils; -import android.widget.HeaderViewListAdapter; -import org.glucosio.android.R; import org.glucosio.android.activity.HelloActivity; import org.glucosio.android.db.DatabaseHandler; import org.glucosio.android.db.User; -import org.w3c.dom.Text; public class HelloPresenter { diff --git a/app/src/main/java/org/glucosio/android/presenter/HistoryPresenter.java b/app/src/main/java/org/glucosio/android/presenter/HistoryPresenter.java index 763b9214..219a0478 100644 --- a/app/src/main/java/org/glucosio/android/presenter/HistoryPresenter.java +++ b/app/src/main/java/org/glucosio/android/presenter/HistoryPresenter.java @@ -1,13 +1,9 @@ package org.glucosio.android.presenter; -import org.glucosio.android.activity.MainActivity; import org.glucosio.android.db.DatabaseHandler; import org.glucosio.android.db.GlucoseReading; import org.glucosio.android.fragment.HistoryFragment; -import org.glucosio.android.tools.FormatDateTime; -import org.glucosio.android.tools.ReadingTools; -import java.text.DateFormat; import java.util.ArrayList; public class HistoryPresenter { diff --git a/app/src/main/java/org/glucosio/android/presenter/OverviewPresenter.java b/app/src/main/java/org/glucosio/android/presenter/OverviewPresenter.java index 36be7c07..7347c3aa 100644 --- a/app/src/main/java/org/glucosio/android/presenter/OverviewPresenter.java +++ b/app/src/main/java/org/glucosio/android/presenter/OverviewPresenter.java @@ -2,7 +2,6 @@ import org.glucosio.android.db.DatabaseHandler; import org.glucosio.android.db.GlucoseReading; -import org.glucosio.android.fragment.HistoryFragment; import org.glucosio.android.fragment.OverviewFragment; import org.glucosio.android.tools.ReadingTools; import org.glucosio.android.tools.TipsManager; diff --git a/app/src/main/java/org/glucosio/android/tools/DividerItemDecoration.java b/app/src/main/java/org/glucosio/android/tools/DividerItemDecoration.java deleted file mode 100644 index 26a7947e..00000000 --- a/app/src/main/java/org/glucosio/android/tools/DividerItemDecoration.java +++ /dev/null @@ -1,124 +0,0 @@ -package org.glucosio.android.tools; -import android.content.Context; -import android.content.res.TypedArray; -import android.graphics.Canvas; -import android.graphics.Rect; -import android.graphics.drawable.Drawable; -import android.support.v7.widget.LinearLayoutManager; -import android.support.v7.widget.RecyclerView; -import android.util.AttributeSet; -import android.view.View; - -public class DividerItemDecoration extends RecyclerView.ItemDecoration { - - private Drawable mDivider; - private boolean mShowFirstDivider = false; - private boolean mShowLastDivider = false; - - - public DividerItemDecoration(Context context, AttributeSet attrs) { - final TypedArray a = context - .obtainStyledAttributes(attrs, new int[]{android.R.attr.listDivider}); - mDivider = a.getDrawable(0); - a.recycle(); - } - - public DividerItemDecoration(Context context, AttributeSet attrs, boolean showFirstDivider, - boolean showLastDivider) { - this(context, attrs); - mShowFirstDivider = showFirstDivider; - mShowLastDivider = showLastDivider; - } - - public DividerItemDecoration(Drawable divider) { - mDivider = divider; - } - - public DividerItemDecoration(Drawable divider, boolean showFirstDivider, - boolean showLastDivider) { - this(divider); - mShowFirstDivider = showFirstDivider; - mShowLastDivider = showLastDivider; - } - - @Override - public void getItemOffsets(Rect outRect, View view, RecyclerView parent, - RecyclerView.State state) { - super.getItemOffsets(outRect, view, parent, state); - if (mDivider == null) { - return; - } - if (parent.getChildPosition(view) < 1) { - return; - } - - if (getOrientation(parent) == LinearLayoutManager.VERTICAL) { - outRect.top = mDivider.getIntrinsicHeight(); - } else { - outRect.left = mDivider.getIntrinsicWidth(); - } - } - - @Override - public void onDrawOver(Canvas c, RecyclerView parent, RecyclerView.State state) { - if (mDivider == null) { - super.onDrawOver(c, parent, state); - return; - } - - // Initialization needed to avoid compiler warning - int left = 0, right = 0, top = 0, bottom = 0, size; - int orientation = getOrientation(parent); - int childCount = parent.getChildCount(); - - if (orientation == LinearLayoutManager.VERTICAL) { - size = mDivider.getIntrinsicHeight(); - left = parent.getPaddingLeft(); - right = parent.getWidth() - parent.getPaddingRight(); - } else { //horizontal - size = mDivider.getIntrinsicWidth(); - top = parent.getPaddingTop(); - bottom = parent.getHeight() - parent.getPaddingBottom(); - } - - for (int i = mShowFirstDivider ? 0 : 1; i < childCount; i++) { - View child = parent.getChildAt(i); - RecyclerView.LayoutParams params = (RecyclerView.LayoutParams) child.getLayoutParams(); - - if (orientation == LinearLayoutManager.VERTICAL) { - top = child.getTop() - params.topMargin; - bottom = top + size; - } else { //horizontal - left = child.getLeft() - params.leftMargin; - right = left + size; - } - mDivider.setBounds(left, top, right, bottom); - mDivider.draw(c); - } - - // show last divider - if (mShowLastDivider && childCount > 0) { - View child = parent.getChildAt(childCount - 1); - RecyclerView.LayoutParams params = (RecyclerView.LayoutParams) child.getLayoutParams(); - if (orientation == LinearLayoutManager.VERTICAL) { - top = child.getBottom() + params.bottomMargin; - bottom = top + size; - } else { // horizontal - left = child.getRight() + params.rightMargin; - right = left + size; - } - mDivider.setBounds(left, top, right, bottom); - mDivider.draw(c); - } - } - - private int getOrientation(RecyclerView parent) { - if (parent.getLayoutManager() instanceof LinearLayoutManager) { - LinearLayoutManager layoutManager = (LinearLayoutManager) parent.getLayoutManager(); - return layoutManager.getOrientation(); - } else { - throw new IllegalStateException( - "DividerItemDecoration can only be used with a LinearLayoutManager."); - } - } -} \ No newline at end of file diff --git a/app/src/main/java/org/glucosio/android/tools/FormatDateTime.java b/app/src/main/java/org/glucosio/android/tools/FormatDateTime.java index 31186358..6a5c49bf 100644 --- a/app/src/main/java/org/glucosio/android/tools/FormatDateTime.java +++ b/app/src/main/java/org/glucosio/android/tools/FormatDateTime.java @@ -3,7 +3,6 @@ import android.content.Context; import java.text.DateFormat; -import java.text.Format; import java.text.ParseException; import java.text.SimpleDateFormat; import java.util.Date; diff --git a/app/src/main/java/org/glucosio/android/tools/NonSwipeableViewPager.java b/app/src/main/java/org/glucosio/android/tools/NonSwipeableViewPager.java deleted file mode 100644 index 6e21667a..00000000 --- a/app/src/main/java/org/glucosio/android/tools/NonSwipeableViewPager.java +++ /dev/null @@ -1,29 +0,0 @@ -package org.glucosio.android.tools; - -import android.content.Context; -import android.support.v4.view.ViewPager; -import android.util.AttributeSet; -import android.view.MotionEvent; - -public class NonSwipeableViewPager extends ViewPager { - - public NonSwipeableViewPager(Context context) { - super(context); - } - - public NonSwipeableViewPager(Context context, AttributeSet attrs) { - super(context, attrs); - } - - @Override - public boolean onInterceptTouchEvent(MotionEvent event) { - // Never allow swiping to switch between pages - return false; - } - - @Override - public boolean onTouchEvent(MotionEvent event) { - // Never allow swiping to switch between pages - return false; - } -} \ No newline at end of file diff --git a/app/src/main/java/org/glucosio/android/tools/ReadingTools.java b/app/src/main/java/org/glucosio/android/tools/ReadingTools.java index bb014679..54a0d142 100644 --- a/app/src/main/java/org/glucosio/android/tools/ReadingTools.java +++ b/app/src/main/java/org/glucosio/android/tools/ReadingTools.java @@ -1,17 +1,5 @@ package org.glucosio.android.tools; -import android.content.Context; - -import org.glucosio.android.R; - -import java.text.DateFormat; -import java.text.Format; -import java.text.ParseException; -import java.text.SimpleDateFormat; -import java.util.Calendar; -import java.util.Date; -import java.util.Locale; - public class ReadingTools { public ReadingTools(){ From 96ffe7602fe037f3bd2978784c1a22c16905039a Mon Sep 17 00:00:00 2001 From: Paolo Rotolo Date: Mon, 5 Oct 2015 17:31:18 +0200 Subject: [PATCH 076/126] Remove trend over past month. --- app/src/main/res/layout/fragment_overview.xml | 3 ++- crowdin.yaml | 0 2 files changed, 2 insertions(+), 1 deletion(-) create mode 100644 crowdin.yaml diff --git a/app/src/main/res/layout/fragment_overview.xml b/app/src/main/res/layout/fragment_overview.xml index 2c8e36ac..cb6186d1 100644 --- a/app/src/main/res/layout/fragment_overview.xml +++ b/app/src/main/res/layout/fragment_overview.xml @@ -59,7 +59,8 @@ + android:orientation="horizontal" + android:visibility="gone"> Date: Mon, 5 Oct 2015 19:58:45 +0200 Subject: [PATCH 077/126] Import translations. --- app/src/main/res/layout/fragment_overview.xml | 2 +- app/src/main/res/strings.xml | 31 ---- .../values-aa/google-playstore-strings.xml | 18 ++ app/src/main/res/values-aa/strings.xml | 136 +++++++++++++++ .../values-ach/google-playstore-strings.xml | 18 ++ app/src/main/res/values-ach/strings.xml | 136 +++++++++++++++ .../values-ae/google-playstore-strings.xml | 18 ++ app/src/main/res/values-ae/strings.xml | 119 ++++++++++++- .../values-af/google-playstore-strings.xml | 18 ++ app/src/main/res/values-af/strings.xml | 117 ++++++++++++- .../values-ak/google-playstore-strings.xml | 18 ++ app/src/main/res/values-ak/strings.xml | 117 ++++++++++++- .../values-am/google-playstore-strings.xml | 18 ++ app/src/main/res/values-am/strings.xml | 117 ++++++++++++- .../values-an/google-playstore-strings.xml | 18 ++ app/src/main/res/values-an/strings.xml | 117 ++++++++++++- .../values-ar/google-playstore-strings.xml | 18 ++ app/src/main/res/values-ar/strings.xml | 81 +++++++-- .../values-arn/google-playstore-strings.xml | 18 ++ app/src/main/res/values-arn/strings.xml | 117 ++++++++++++- .../values-as/google-playstore-strings.xml | 18 ++ app/src/main/res/values-as/strings.xml | 117 ++++++++++++- .../values-ast/google-playstore-strings.xml | 18 ++ app/src/main/res/values-ast/strings.xml | 117 ++++++++++++- .../values-av/google-playstore-strings.xml | 18 ++ app/src/main/res/values-av/strings.xml | 117 ++++++++++++- .../values-ay/google-playstore-strings.xml | 18 ++ app/src/main/res/values-ay/strings.xml | 117 ++++++++++++- .../values-az/google-playstore-strings.xml | 18 ++ app/src/main/res/values-az/strings.xml | 160 +++++++++++++++--- .../values-ba/google-playstore-strings.xml | 18 ++ app/src/main/res/values-ba/strings.xml | 117 ++++++++++++- .../values-bal/google-playstore-strings.xml | 18 ++ app/src/main/res/values-bal/strings.xml | 117 ++++++++++++- .../values-ban/google-playstore-strings.xml | 18 ++ app/src/main/res/values-ban/strings.xml | 117 ++++++++++++- .../values-be/google-playstore-strings.xml | 18 ++ app/src/main/res/values-be/strings.xml | 117 ++++++++++++- .../values-ber/google-playstore-strings.xml | 18 ++ app/src/main/res/values-ber/strings.xml | 117 ++++++++++++- .../values-bfo/google-playstore-strings.xml | 18 ++ app/src/main/res/values-bfo/strings.xml | 117 ++++++++++++- .../values-bg/google-playstore-strings.xml | 18 ++ app/src/main/res/values-bg/strings.xml | 123 ++++++++++---- .../values-bh/google-playstore-strings.xml | 18 ++ app/src/main/res/values-bh/strings.xml | 117 ++++++++++++- .../values-bi/google-playstore-strings.xml | 18 ++ app/src/main/res/values-bi/strings.xml | 117 ++++++++++++- .../values-bm/google-playstore-strings.xml | 18 ++ app/src/main/res/values-bm/strings.xml | 117 ++++++++++++- .../values-bn/google-playstore-strings.xml | 18 ++ app/src/main/res/values-bn/strings.xml | 109 +++++++++--- .../values-bo/google-playstore-strings.xml | 18 ++ app/src/main/res/values-bo/strings.xml | 136 +++++++++++++++ .../values-br/google-playstore-strings.xml | 18 ++ app/src/main/res/values-br/strings.xml | 136 +++++++++++++++ .../values-bs/google-playstore-strings.xml | 18 ++ app/src/main/res/values-bs/strings.xml | 159 ++++++++++++++--- .../values-ca/google-playstore-strings.xml | 18 ++ app/src/main/res/values-ca/strings.xml | 159 ++++++++++++++--- .../values-ce/google-playstore-strings.xml | 18 ++ app/src/main/res/values-ce/strings.xml | 117 ++++++++++++- .../values-ceb/google-playstore-strings.xml | 18 ++ app/src/main/res/values-ceb/strings.xml | 117 ++++++++++++- .../values-ch/google-playstore-strings.xml | 18 ++ app/src/main/res/values-ch/strings.xml | 117 ++++++++++++- .../values-chr/google-playstore-strings.xml | 18 ++ app/src/main/res/values-chr/strings.xml | 117 ++++++++++++- .../values-ckb/google-playstore-strings.xml | 18 ++ app/src/main/res/values-ckb/strings.xml | 117 ++++++++++++- .../values-co/google-playstore-strings.xml | 18 ++ app/src/main/res/values-co/strings.xml | 117 ++++++++++++- .../values-cr/google-playstore-strings.xml | 18 ++ app/src/main/res/values-cr/strings.xml | 117 ++++++++++++- .../values-crs/google-playstore-strings.xml | 18 ++ app/src/main/res/values-crs/strings.xml | 117 ++++++++++++- .../values-cs/google-playstore-strings.xml | 18 ++ app/src/main/res/values-cs/strings.xml | 118 ++++++++++--- .../values-csb/google-playstore-strings.xml | 18 ++ app/src/main/res/values-csb/strings.xml | 117 ++++++++++++- .../values-cv/google-playstore-strings.xml | 18 ++ app/src/main/res/values-cv/strings.xml | 117 ++++++++++++- .../values-cy/google-playstore-strings.xml | 18 ++ app/src/main/res/values-cy/strings.xml | 117 ++++++++++++- .../values-da/google-playstore-strings.xml | 18 ++ app/src/main/res/values-da/strings.xml | 117 ++++++++++++- .../values-de/google-playstore-strings.xml | 18 ++ app/src/main/res/values-de/strings.xml | 85 ++++++++-- .../values-dsb/google-playstore-strings.xml | 18 ++ app/src/main/res/values-dsb/strings.xml | 136 +++++++++++++++ .../values-dv/google-playstore-strings.xml | 18 ++ app/src/main/res/values-dv/strings.xml | 117 ++++++++++++- .../values-dz/google-playstore-strings.xml | 18 ++ app/src/main/res/values-dz/strings.xml | 117 ++++++++++++- .../values-ee/google-playstore-strings.xml | 18 ++ app/src/main/res/values-ee/strings.xml | 117 ++++++++++++- .../values-el/google-playstore-strings.xml | 18 ++ app/src/main/res/values-el/strings.xml | 117 ++++++++++++- .../values-en/google-playstore-strings.xml | 18 ++ app/src/main/res/values-en/strings.xml | 74 +++++++- .../values-eo/google-playstore-strings.xml | 18 ++ app/src/main/res/values-eo/strings.xml | 117 ++++++++++++- .../values-es/google-playstore-strings.xml | 18 ++ app/src/main/res/values-es/strings.xml | 136 +++++++++++++++ .../values-et/google-playstore-strings.xml | 18 ++ app/src/main/res/values-et/strings.xml | 117 ++++++++++++- .../values-eu/google-playstore-strings.xml | 18 ++ app/src/main/res/values-eu/strings.xml | 117 ++++++++++++- .../values-fa/google-playstore-strings.xml | 18 ++ app/src/main/res/values-fa/strings.xml | 117 ++++++++++++- .../values-ff/google-playstore-strings.xml | 18 ++ app/src/main/res/values-ff/strings.xml | 117 ++++++++++++- .../values-fi/google-playstore-strings.xml | 18 ++ app/src/main/res/values-fi/strings.xml | 81 +++++++-- .../values-fil/google-playstore-strings.xml | 18 ++ app/src/main/res/values-fil/strings.xml | 159 ++++++++++++++--- .../values-fj/google-playstore-strings.xml | 18 ++ app/src/main/res/values-fj/strings.xml | 117 ++++++++++++- .../values-fo/google-playstore-strings.xml | 18 ++ app/src/main/res/values-fo/strings.xml | 117 ++++++++++++- .../values-fr/google-playstore-strings.xml | 18 ++ app/src/main/res/values-fr/strings.xml | 137 ++++++++++----- .../values-fra/google-playstore-strings.xml | 18 ++ app/src/main/res/values-fra/strings.xml | 136 +++++++++++++++ .../values-frp/google-playstore-strings.xml | 18 ++ app/src/main/res/values-frp/strings.xml | 117 ++++++++++++- .../values-fur/google-playstore-strings.xml | 18 ++ app/src/main/res/values-fur/strings.xml | 136 +++++++++++++++ .../values-fy/google-playstore-strings.xml | 18 ++ app/src/main/res/values-fy/strings.xml | 136 +++++++++++++++ .../values-ga/google-playstore-strings.xml | 18 ++ app/src/main/res/values-ga/strings.xml | 136 +++++++++++++++ .../values-gaa/google-playstore-strings.xml | 18 ++ app/src/main/res/values-gaa/strings.xml | 117 ++++++++++++- .../values-gd/google-playstore-strings.xml | 18 ++ app/src/main/res/values-gd/strings.xml | 117 ++++++++++++- .../values-gl/google-playstore-strings.xml | 18 ++ app/src/main/res/values-gl/strings.xml | 117 ++++++++++++- .../values-gn/google-playstore-strings.xml | 18 ++ app/src/main/res/values-gn/strings.xml | 117 ++++++++++++- .../values-gu/google-playstore-strings.xml | 18 ++ app/src/main/res/values-gu/strings.xml | 136 +++++++++++++++ .../values-gv/google-playstore-strings.xml | 18 ++ app/src/main/res/values-gv/strings.xml | 117 ++++++++++++- .../values-ha/google-playstore-strings.xml | 18 ++ app/src/main/res/values-ha/strings.xml | 117 ++++++++++++- .../values-haw/google-playstore-strings.xml | 18 ++ app/src/main/res/values-haw/strings.xml | 109 +++++++++++- .../values-he/google-playstore-strings.xml | 18 ++ app/src/main/res/values-he/strings.xml | 159 ++++++++++++++--- .../values-hi/google-playstore-strings.xml | 18 ++ app/src/main/res/values-hi/strings.xml | 123 +++++++++++++- .../values-hil/google-playstore-strings.xml | 18 ++ app/src/main/res/values-hil/strings.xml | 117 ++++++++++++- .../values-hmn/google-playstore-strings.xml | 18 ++ app/src/main/res/values-hmn/strings.xml | 117 ++++++++++++- .../values-ho/google-playstore-strings.xml | 18 ++ app/src/main/res/values-ho/strings.xml | 117 ++++++++++++- .../values-hr/google-playstore-strings.xml | 18 ++ app/src/main/res/values-hr/strings.xml | 117 ++++++++++++- .../values-hsb/google-playstore-strings.xml | 18 ++ app/src/main/res/values-hsb/strings.xml | 136 +++++++++++++++ .../values-ht/google-playstore-strings.xml | 18 ++ app/src/main/res/values-ht/strings.xml | 117 ++++++++++++- .../values-hu/google-playstore-strings.xml | 18 ++ app/src/main/res/values-hu/strings.xml | 117 ++++++++++++- .../values-hy/google-playstore-strings.xml | 18 ++ app/src/main/res/values-hy/strings.xml | 136 +++++++++++++++ .../values-hz/google-playstore-strings.xml | 18 ++ app/src/main/res/values-hz/strings.xml | 117 ++++++++++++- .../values-id/google-playstore-strings.xml | 18 ++ app/src/main/res/values-id/strings.xml | 83 +++++++-- .../values-ig/google-playstore-strings.xml | 18 ++ app/src/main/res/values-ig/strings.xml | 117 ++++++++++++- .../values-ii/google-playstore-strings.xml | 18 ++ app/src/main/res/values-ii/strings.xml | 117 ++++++++++++- .../values-ilo/google-playstore-strings.xml | 18 ++ app/src/main/res/values-ilo/strings.xml | 117 ++++++++++++- .../values-is/google-playstore-strings.xml | 18 ++ app/src/main/res/values-is/strings.xml | 117 ++++++++++++- .../values-it/google-playstore-strings.xml | 18 ++ app/src/main/res/values-it/strings.xml | 124 ++++++++++---- .../values-iu/google-playstore-strings.xml | 18 ++ app/src/main/res/values-iu/strings.xml | 117 ++++++++++++- .../values-ja/google-playstore-strings.xml | 18 ++ app/src/main/res/values-ja/strings.xml | 117 ++++++++++++- .../values-jbo/google-playstore-strings.xml | 18 ++ app/src/main/res/values-jbo/strings.xml | 117 ++++++++++++- .../values-jv/google-playstore-strings.xml | 18 ++ app/src/main/res/values-jv/strings.xml | 117 ++++++++++++- .../values-ka/google-playstore-strings.xml | 18 ++ app/src/main/res/values-ka/strings.xml | 117 ++++++++++++- .../values-kab/google-playstore-strings.xml | 18 ++ app/src/main/res/values-kab/strings.xml | 117 ++++++++++++- .../values-kdh/google-playstore-strings.xml | 18 ++ app/src/main/res/values-kdh/strings.xml | 117 ++++++++++++- .../values-kg/google-playstore-strings.xml | 18 ++ app/src/main/res/values-kg/strings.xml | 117 ++++++++++++- .../values-kj/google-playstore-strings.xml | 18 ++ app/src/main/res/values-kj/strings.xml | 117 ++++++++++++- .../values-kk/google-playstore-strings.xml | 18 ++ app/src/main/res/values-kk/strings.xml | 117 ++++++++++++- .../values-kl/google-playstore-strings.xml | 18 ++ app/src/main/res/values-kl/strings.xml | 117 ++++++++++++- .../values-km/google-playstore-strings.xml | 18 ++ app/src/main/res/values-km/strings.xml | 117 ++++++++++++- .../values-kmr/google-playstore-strings.xml | 18 ++ app/src/main/res/values-kmr/strings.xml | 117 ++++++++++++- .../values-kn/google-playstore-strings.xml | 18 ++ app/src/main/res/values-kn/strings.xml | 117 ++++++++++++- .../values-ko/google-playstore-strings.xml | 18 ++ app/src/main/res/values-ko/strings.xml | 117 ++++++++++++- .../values-kok/google-playstore-strings.xml | 18 ++ app/src/main/res/values-kok/strings.xml | 117 ++++++++++++- .../values-ks/google-playstore-strings.xml | 18 ++ app/src/main/res/values-ks/strings.xml | 117 ++++++++++++- .../values-ku/google-playstore-strings.xml | 18 ++ app/src/main/res/values-ku/strings.xml | 117 ++++++++++++- .../values-kv/google-playstore-strings.xml | 18 ++ app/src/main/res/values-kv/strings.xml | 117 ++++++++++++- .../values-kw/google-playstore-strings.xml | 18 ++ app/src/main/res/values-kw/strings.xml | 117 ++++++++++++- .../values-ky/google-playstore-strings.xml | 18 ++ app/src/main/res/values-ky/strings.xml | 117 ++++++++++++- .../values-la/google-playstore-strings.xml | 18 ++ app/src/main/res/values-la/strings.xml | 136 +++++++++++++++ .../values-lb/google-playstore-strings.xml | 18 ++ app/src/main/res/values-lb/strings.xml | 117 ++++++++++++- .../values-lg/google-playstore-strings.xml | 18 ++ app/src/main/res/values-lg/strings.xml | 115 ++++++++++++- .../values-li/google-playstore-strings.xml | 18 ++ app/src/main/res/values-li/strings.xml | 117 ++++++++++++- .../values-lij/google-playstore-strings.xml | 18 ++ app/src/main/res/values-lij/strings.xml | 117 ++++++++++++- .../values-ln/google-playstore-strings.xml | 18 ++ app/src/main/res/values-ln/strings.xml | 117 ++++++++++++- .../values-lo/google-playstore-strings.xml | 18 ++ app/src/main/res/values-lo/strings.xml | 96 +++++++++-- .../values-lt/google-playstore-strings.xml | 18 ++ app/src/main/res/values-lt/strings.xml | 117 ++++++++++++- .../values-luy/google-playstore-strings.xml | 18 ++ app/src/main/res/values-luy/strings.xml | 117 ++++++++++++- .../values-lv/google-playstore-strings.xml | 18 ++ app/src/main/res/values-lv/strings.xml | 117 ++++++++++++- .../values-mai/google-playstore-strings.xml | 18 ++ app/src/main/res/values-mai/strings.xml | 117 ++++++++++++- .../values-me/google-playstore-strings.xml | 18 ++ app/src/main/res/values-me/strings.xml | 117 ++++++++++++- .../values-mg/google-playstore-strings.xml | 18 ++ app/src/main/res/values-mg/strings.xml | 117 ++++++++++++- .../values-mh/google-playstore-strings.xml | 18 ++ app/src/main/res/values-mh/strings.xml | 117 ++++++++++++- .../values-mi/google-playstore-strings.xml | 18 ++ app/src/main/res/values-mi/strings.xml | 117 ++++++++++++- .../values-mk/google-playstore-strings.xml | 18 ++ app/src/main/res/values-mk/strings.xml | 117 ++++++++++++- .../values-ml/google-playstore-strings.xml | 18 ++ app/src/main/res/values-ml/strings.xml | 136 +++++++++++++++ .../values-mn/google-playstore-strings.xml | 18 ++ app/src/main/res/values-mn/strings.xml | 117 ++++++++++++- .../values-moh/google-playstore-strings.xml | 18 ++ app/src/main/res/values-moh/strings.xml | 117 ++++++++++++- .../values-mos/google-playstore-strings.xml | 18 ++ app/src/main/res/values-mos/strings.xml | 117 ++++++++++++- .../values-mr/google-playstore-strings.xml | 18 ++ app/src/main/res/values-mr/strings.xml | 117 ++++++++++++- .../values-ms/google-playstore-strings.xml | 18 ++ app/src/main/res/values-ms/strings.xml | 117 ++++++++++++- .../values-mt/google-playstore-strings.xml | 18 ++ app/src/main/res/values-mt/strings.xml | 117 ++++++++++++- .../values-my/google-playstore-strings.xml | 18 ++ app/src/main/res/values-my/strings.xml | 139 +++++++++++++-- .../values-na/google-playstore-strings.xml | 18 ++ app/src/main/res/values-na/strings.xml | 117 ++++++++++++- .../values-nb/google-playstore-strings.xml | 18 ++ app/src/main/res/values-nb/strings.xml | 117 ++++++++++++- .../values-nds/google-playstore-strings.xml | 18 ++ app/src/main/res/values-nds/strings.xml | 117 ++++++++++++- .../values-ne/google-playstore-strings.xml | 18 ++ app/src/main/res/values-ne/strings.xml | 136 +++++++++++++++ .../values-ng/google-playstore-strings.xml | 18 ++ app/src/main/res/values-ng/strings.xml | 117 ++++++++++++- .../values-nl/google-playstore-strings.xml | 18 ++ app/src/main/res/values-nl/strings.xml | 123 ++++++++++---- .../values-nn/google-playstore-strings.xml | 18 ++ app/src/main/res/values-nn/strings.xml | 136 +++++++++++++++ .../values-no/google-playstore-strings.xml | 18 ++ app/src/main/res/values-no/strings.xml | 117 ++++++++++++- .../values-nr/google-playstore-strings.xml | 18 ++ app/src/main/res/values-nr/strings.xml | 117 ++++++++++++- .../values-nso/google-playstore-strings.xml | 18 ++ app/src/main/res/values-nso/strings.xml | 117 ++++++++++++- .../values-ny/google-playstore-strings.xml | 18 ++ app/src/main/res/values-ny/strings.xml | 117 ++++++++++++- .../values-oc/google-playstore-strings.xml | 18 ++ app/src/main/res/values-oc/strings.xml | 117 ++++++++++++- .../values-oj/google-playstore-strings.xml | 18 ++ app/src/main/res/values-oj/strings.xml | 117 ++++++++++++- .../values-om/google-playstore-strings.xml | 18 ++ app/src/main/res/values-om/strings.xml | 117 ++++++++++++- .../values-or/google-playstore-strings.xml | 18 ++ app/src/main/res/values-or/strings.xml | 117 ++++++++++++- .../values-os/google-playstore-strings.xml | 18 ++ app/src/main/res/values-os/strings.xml | 117 ++++++++++++- .../values-pa/google-playstore-strings.xml | 18 ++ app/src/main/res/values-pa/strings.xml | 136 +++++++++++++++ .../values-pam/google-playstore-strings.xml | 18 ++ app/src/main/res/values-pam/strings.xml | 159 ++++++++++++++--- .../values-pap/google-playstore-strings.xml | 18 ++ app/src/main/res/values-pap/strings.xml | 117 ++++++++++++- .../values-pcm/google-playstore-strings.xml | 18 ++ app/src/main/res/values-pcm/strings.xml | 117 ++++++++++++- .../values-pi/google-playstore-strings.xml | 18 ++ app/src/main/res/values-pi/strings.xml | 117 ++++++++++++- .../values-pl/google-playstore-strings.xml | 18 ++ app/src/main/res/values-pl/strings.xml | 117 ++++++++++++- .../values-ps/google-playstore-strings.xml | 18 ++ app/src/main/res/values-ps/strings.xml | 117 ++++++++++++- .../values-pt/google-playstore-strings.xml | 18 ++ app/src/main/res/values-pt/strings.xml | 136 +++++++++++++++ .../values-qu/google-playstore-strings.xml | 18 ++ app/src/main/res/values-qu/strings.xml | 117 ++++++++++++- .../values-quc/google-playstore-strings.xml | 18 ++ app/src/main/res/values-quc/strings.xml | 117 ++++++++++++- .../values-qya/google-playstore-strings.xml | 18 ++ app/src/main/res/values-qya/strings.xml | 136 +++++++++++++++ .../values-rm/google-playstore-strings.xml | 18 ++ app/src/main/res/values-rm/strings.xml | 136 +++++++++++++++ .../values-rn/google-playstore-strings.xml | 18 ++ app/src/main/res/values-rn/strings.xml | 117 ++++++++++++- .../values-ro/google-playstore-strings.xml | 18 ++ app/src/main/res/values-ro/strings.xml | 159 ++++++++++++++--- .../values-ru/google-playstore-strings.xml | 18 ++ app/src/main/res/values-ru/strings.xml | 123 ++++++++++---- .../values-rw/google-playstore-strings.xml | 18 ++ app/src/main/res/values-rw/strings.xml | 117 ++++++++++++- .../values-ry/google-playstore-strings.xml | 18 ++ app/src/main/res/values-ry/strings.xml | 136 +++++++++++++++ .../values-sa/google-playstore-strings.xml | 18 ++ app/src/main/res/values-sa/strings.xml | 117 ++++++++++++- .../values-sat/google-playstore-strings.xml | 18 ++ app/src/main/res/values-sat/strings.xml | 117 ++++++++++++- .../values-sc/google-playstore-strings.xml | 18 ++ app/src/main/res/values-sc/strings.xml | 117 ++++++++++++- .../values-sco/google-playstore-strings.xml | 18 ++ app/src/main/res/values-sco/strings.xml | 117 ++++++++++++- .../values-sd/google-playstore-strings.xml | 18 ++ app/src/main/res/values-sd/strings.xml | 117 ++++++++++++- .../values-se/google-playstore-strings.xml | 18 ++ app/src/main/res/values-se/strings.xml | 117 ++++++++++++- .../values-sg/google-playstore-strings.xml | 18 ++ app/src/main/res/values-sg/strings.xml | 117 ++++++++++++- .../values-sh/google-playstore-strings.xml | 18 ++ app/src/main/res/values-sh/strings.xml | 117 ++++++++++++- .../values-si/google-playstore-strings.xml | 18 ++ app/src/main/res/values-si/strings.xml | 136 +++++++++++++++ .../values-sk/google-playstore-strings.xml | 18 ++ app/src/main/res/values-sk/strings.xml | 125 ++++++++++++-- .../values-sl/google-playstore-strings.xml | 18 ++ app/src/main/res/values-sl/strings.xml | 159 ++++++++++++++--- .../values-sma/google-playstore-strings.xml | 18 ++ app/src/main/res/values-sma/strings.xml | 117 ++++++++++++- .../values-sn/google-playstore-strings.xml | 18 ++ app/src/main/res/values-sn/strings.xml | 117 ++++++++++++- .../values-so/google-playstore-strings.xml | 18 ++ app/src/main/res/values-so/strings.xml | 117 ++++++++++++- .../values-son/google-playstore-strings.xml | 18 ++ app/src/main/res/values-son/strings.xml | 117 ++++++++++++- .../values-sq/google-playstore-strings.xml | 18 ++ app/src/main/res/values-sq/strings.xml | 123 ++++++++++---- .../values-sr/google-playstore-strings.xml | 18 ++ app/src/main/res/values-sr/strings.xml | 117 ++++++++++++- .../values-ss/google-playstore-strings.xml | 18 ++ app/src/main/res/values-ss/strings.xml | 117 ++++++++++++- .../values-st/google-playstore-strings.xml | 18 ++ app/src/main/res/values-st/strings.xml | 117 ++++++++++++- .../values-su/google-playstore-strings.xml | 18 ++ app/src/main/res/values-su/strings.xml | 117 ++++++++++++- .../values-sv/google-playstore-strings.xml | 18 ++ app/src/main/res/values-sv/strings.xml | 136 +++++++++++++++ .../values-sw/google-playstore-strings.xml | 18 ++ app/src/main/res/values-sw/strings.xml | 81 +++++++-- .../values-syc/google-playstore-strings.xml | 18 ++ app/src/main/res/values-syc/strings.xml | 117 ++++++++++++- .../values-ta/google-playstore-strings.xml | 18 ++ app/src/main/res/values-ta/strings.xml | 117 ++++++++++++- .../values-tay/google-playstore-strings.xml | 18 ++ app/src/main/res/values-tay/strings.xml | 117 ++++++++++++- .../values-te/google-playstore-strings.xml | 18 ++ app/src/main/res/values-te/strings.xml | 117 ++++++++++++- .../values-tg/google-playstore-strings.xml | 18 ++ app/src/main/res/values-tg/strings.xml | 117 ++++++++++++- .../values-th/google-playstore-strings.xml | 18 ++ app/src/main/res/values-th/strings.xml | 137 +++++++++++++-- .../values-ti/google-playstore-strings.xml | 18 ++ app/src/main/res/values-ti/strings.xml | 117 ++++++++++++- .../values-tk/google-playstore-strings.xml | 18 ++ app/src/main/res/values-tk/strings.xml | 117 ++++++++++++- .../values-tl/google-playstore-strings.xml | 18 ++ app/src/main/res/values-tl/strings.xml | 127 ++++++++++++-- .../values-tn/google-playstore-strings.xml | 18 ++ app/src/main/res/values-tn/strings.xml | 117 ++++++++++++- .../values-tr/google-playstore-strings.xml | 18 ++ app/src/main/res/values-tr/strings.xml | 110 +++++++++--- .../values-ts/google-playstore-strings.xml | 18 ++ app/src/main/res/values-ts/strings.xml | 117 ++++++++++++- .../values-tt/google-playstore-strings.xml | 18 ++ app/src/main/res/values-tt/strings.xml | 136 +++++++++++++++ .../values-tw/google-playstore-strings.xml | 18 ++ app/src/main/res/values-tw/strings.xml | 117 ++++++++++++- .../values-ty/google-playstore-strings.xml | 18 ++ app/src/main/res/values-ty/strings.xml | 117 ++++++++++++- .../values-tzl/google-playstore-strings.xml | 18 ++ app/src/main/res/values-tzl/strings.xml | 117 ++++++++++++- .../values-ug/google-playstore-strings.xml | 18 ++ app/src/main/res/values-ug/strings.xml | 117 ++++++++++++- .../values-uk/google-playstore-strings.xml | 18 ++ app/src/main/res/values-uk/strings.xml | 117 ++++++++++++- .../values-ur/google-playstore-strings.xml | 18 ++ app/src/main/res/values-ur/strings.xml | 136 +++++++++++++++ .../values-uz/google-playstore-strings.xml | 18 ++ app/src/main/res/values-uz/strings.xml | 117 ++++++++++++- .../values-val/google-playstore-strings.xml | 18 ++ app/src/main/res/values-val/strings.xml | 136 +++++++++++++++ .../values-ve/google-playstore-strings.xml | 18 ++ app/src/main/res/values-ve/strings.xml | 117 ++++++++++++- .../values-vec/google-playstore-strings.xml | 18 ++ app/src/main/res/values-vec/strings.xml | 117 ++++++++++++- .../values-vi/google-playstore-strings.xml | 18 ++ app/src/main/res/values-vi/strings.xml | 117 ++++++++++++- .../values-vls/google-playstore-strings.xml | 18 ++ app/src/main/res/values-vls/strings.xml | 136 +++++++++++++++ app/src/main/res/values-w820dp/dimens.xml | 6 - .../values-wa/google-playstore-strings.xml | 18 ++ app/src/main/res/values-wa/strings.xml | 117 ++++++++++++- .../values-wo/google-playstore-strings.xml | 18 ++ app/src/main/res/values-wo/strings.xml | 117 ++++++++++++- .../values-xh/google-playstore-strings.xml | 18 ++ app/src/main/res/values-xh/strings.xml | 117 ++++++++++++- .../values-yi/google-playstore-strings.xml | 18 ++ app/src/main/res/values-yi/strings.xml | 117 ++++++++++++- .../values-yo/google-playstore-strings.xml | 18 ++ app/src/main/res/values-yo/strings.xml | 117 ++++++++++++- .../values-zea/google-playstore-strings.xml | 18 ++ app/src/main/res/values-zea/strings.xml | 117 ++++++++++++- .../values-zh/google-playstore-strings.xml | 18 ++ app/src/main/res/values-zh/strings.xml | 137 +++++++++++++++ .../values-zu/google-playstore-strings.xml | 18 ++ app/src/main/res/values-zu/strings.xml | 117 ++++++++++++- crowdin.yaml | 0 450 files changed, 29232 insertions(+), 1658 deletions(-) delete mode 100755 app/src/main/res/strings.xml create mode 100644 app/src/main/res/values-aa/google-playstore-strings.xml create mode 100644 app/src/main/res/values-aa/strings.xml create mode 100644 app/src/main/res/values-ach/google-playstore-strings.xml create mode 100644 app/src/main/res/values-ach/strings.xml create mode 100644 app/src/main/res/values-ae/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-ae/strings.xml create mode 100644 app/src/main/res/values-af/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-af/strings.xml create mode 100644 app/src/main/res/values-ak/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-ak/strings.xml create mode 100644 app/src/main/res/values-am/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-am/strings.xml create mode 100644 app/src/main/res/values-an/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-an/strings.xml create mode 100644 app/src/main/res/values-ar/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-ar/strings.xml create mode 100644 app/src/main/res/values-arn/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-arn/strings.xml create mode 100644 app/src/main/res/values-as/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-as/strings.xml create mode 100644 app/src/main/res/values-ast/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-ast/strings.xml create mode 100644 app/src/main/res/values-av/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-av/strings.xml create mode 100644 app/src/main/res/values-ay/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-ay/strings.xml create mode 100644 app/src/main/res/values-az/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-az/strings.xml create mode 100644 app/src/main/res/values-ba/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-ba/strings.xml create mode 100644 app/src/main/res/values-bal/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-bal/strings.xml create mode 100644 app/src/main/res/values-ban/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-ban/strings.xml create mode 100644 app/src/main/res/values-be/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-be/strings.xml create mode 100644 app/src/main/res/values-ber/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-ber/strings.xml create mode 100644 app/src/main/res/values-bfo/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-bfo/strings.xml create mode 100644 app/src/main/res/values-bg/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-bg/strings.xml create mode 100644 app/src/main/res/values-bh/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-bh/strings.xml create mode 100644 app/src/main/res/values-bi/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-bi/strings.xml create mode 100644 app/src/main/res/values-bm/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-bm/strings.xml create mode 100644 app/src/main/res/values-bn/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-bn/strings.xml create mode 100644 app/src/main/res/values-bo/google-playstore-strings.xml create mode 100644 app/src/main/res/values-bo/strings.xml create mode 100644 app/src/main/res/values-br/google-playstore-strings.xml create mode 100644 app/src/main/res/values-br/strings.xml create mode 100644 app/src/main/res/values-bs/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-bs/strings.xml create mode 100644 app/src/main/res/values-ca/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-ca/strings.xml create mode 100644 app/src/main/res/values-ce/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-ce/strings.xml create mode 100644 app/src/main/res/values-ceb/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-ceb/strings.xml create mode 100644 app/src/main/res/values-ch/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-ch/strings.xml create mode 100644 app/src/main/res/values-chr/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-chr/strings.xml create mode 100644 app/src/main/res/values-ckb/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-ckb/strings.xml create mode 100644 app/src/main/res/values-co/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-co/strings.xml create mode 100644 app/src/main/res/values-cr/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-cr/strings.xml create mode 100644 app/src/main/res/values-crs/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-crs/strings.xml create mode 100644 app/src/main/res/values-cs/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-cs/strings.xml create mode 100644 app/src/main/res/values-csb/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-csb/strings.xml create mode 100644 app/src/main/res/values-cv/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-cv/strings.xml create mode 100644 app/src/main/res/values-cy/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-cy/strings.xml create mode 100644 app/src/main/res/values-da/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-da/strings.xml create mode 100644 app/src/main/res/values-de/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-de/strings.xml create mode 100644 app/src/main/res/values-dsb/google-playstore-strings.xml create mode 100644 app/src/main/res/values-dsb/strings.xml create mode 100644 app/src/main/res/values-dv/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-dv/strings.xml create mode 100644 app/src/main/res/values-dz/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-dz/strings.xml create mode 100644 app/src/main/res/values-ee/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-ee/strings.xml create mode 100644 app/src/main/res/values-el/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-el/strings.xml create mode 100644 app/src/main/res/values-en/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-en/strings.xml create mode 100644 app/src/main/res/values-eo/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-eo/strings.xml create mode 100644 app/src/main/res/values-es/google-playstore-strings.xml create mode 100644 app/src/main/res/values-es/strings.xml create mode 100644 app/src/main/res/values-et/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-et/strings.xml create mode 100644 app/src/main/res/values-eu/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-eu/strings.xml create mode 100644 app/src/main/res/values-fa/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-fa/strings.xml create mode 100644 app/src/main/res/values-ff/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-ff/strings.xml create mode 100644 app/src/main/res/values-fi/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-fi/strings.xml create mode 100644 app/src/main/res/values-fil/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-fil/strings.xml create mode 100644 app/src/main/res/values-fj/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-fj/strings.xml create mode 100644 app/src/main/res/values-fo/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-fo/strings.xml create mode 100644 app/src/main/res/values-fr/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-fr/strings.xml create mode 100644 app/src/main/res/values-fra/google-playstore-strings.xml create mode 100644 app/src/main/res/values-fra/strings.xml create mode 100644 app/src/main/res/values-frp/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-frp/strings.xml create mode 100644 app/src/main/res/values-fur/google-playstore-strings.xml create mode 100644 app/src/main/res/values-fur/strings.xml create mode 100644 app/src/main/res/values-fy/google-playstore-strings.xml create mode 100644 app/src/main/res/values-fy/strings.xml create mode 100644 app/src/main/res/values-ga/google-playstore-strings.xml create mode 100644 app/src/main/res/values-ga/strings.xml create mode 100644 app/src/main/res/values-gaa/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-gaa/strings.xml create mode 100644 app/src/main/res/values-gd/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-gd/strings.xml create mode 100644 app/src/main/res/values-gl/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-gl/strings.xml create mode 100644 app/src/main/res/values-gn/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-gn/strings.xml create mode 100644 app/src/main/res/values-gu/google-playstore-strings.xml create mode 100644 app/src/main/res/values-gu/strings.xml create mode 100644 app/src/main/res/values-gv/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-gv/strings.xml create mode 100644 app/src/main/res/values-ha/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-ha/strings.xml create mode 100644 app/src/main/res/values-haw/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-haw/strings.xml create mode 100644 app/src/main/res/values-he/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-he/strings.xml create mode 100644 app/src/main/res/values-hi/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-hi/strings.xml create mode 100644 app/src/main/res/values-hil/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-hil/strings.xml create mode 100644 app/src/main/res/values-hmn/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-hmn/strings.xml create mode 100644 app/src/main/res/values-ho/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-ho/strings.xml create mode 100644 app/src/main/res/values-hr/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-hr/strings.xml create mode 100644 app/src/main/res/values-hsb/google-playstore-strings.xml create mode 100644 app/src/main/res/values-hsb/strings.xml create mode 100644 app/src/main/res/values-ht/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-ht/strings.xml create mode 100644 app/src/main/res/values-hu/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-hu/strings.xml create mode 100644 app/src/main/res/values-hy/google-playstore-strings.xml create mode 100644 app/src/main/res/values-hy/strings.xml create mode 100644 app/src/main/res/values-hz/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-hz/strings.xml create mode 100644 app/src/main/res/values-id/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-id/strings.xml create mode 100644 app/src/main/res/values-ig/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-ig/strings.xml create mode 100644 app/src/main/res/values-ii/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-ii/strings.xml create mode 100644 app/src/main/res/values-ilo/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-ilo/strings.xml create mode 100644 app/src/main/res/values-is/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-is/strings.xml create mode 100644 app/src/main/res/values-it/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-it/strings.xml create mode 100644 app/src/main/res/values-iu/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-iu/strings.xml create mode 100644 app/src/main/res/values-ja/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-ja/strings.xml create mode 100644 app/src/main/res/values-jbo/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-jbo/strings.xml create mode 100644 app/src/main/res/values-jv/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-jv/strings.xml create mode 100644 app/src/main/res/values-ka/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-ka/strings.xml create mode 100644 app/src/main/res/values-kab/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-kab/strings.xml create mode 100644 app/src/main/res/values-kdh/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-kdh/strings.xml create mode 100644 app/src/main/res/values-kg/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-kg/strings.xml create mode 100644 app/src/main/res/values-kj/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-kj/strings.xml create mode 100644 app/src/main/res/values-kk/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-kk/strings.xml create mode 100644 app/src/main/res/values-kl/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-kl/strings.xml create mode 100644 app/src/main/res/values-km/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-km/strings.xml create mode 100644 app/src/main/res/values-kmr/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-kmr/strings.xml create mode 100644 app/src/main/res/values-kn/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-kn/strings.xml create mode 100644 app/src/main/res/values-ko/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-ko/strings.xml create mode 100644 app/src/main/res/values-kok/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-kok/strings.xml create mode 100644 app/src/main/res/values-ks/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-ks/strings.xml create mode 100644 app/src/main/res/values-ku/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-ku/strings.xml create mode 100644 app/src/main/res/values-kv/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-kv/strings.xml create mode 100644 app/src/main/res/values-kw/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-kw/strings.xml create mode 100644 app/src/main/res/values-ky/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-ky/strings.xml create mode 100644 app/src/main/res/values-la/google-playstore-strings.xml create mode 100644 app/src/main/res/values-la/strings.xml create mode 100644 app/src/main/res/values-lb/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-lb/strings.xml create mode 100644 app/src/main/res/values-lg/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-lg/strings.xml create mode 100644 app/src/main/res/values-li/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-li/strings.xml create mode 100644 app/src/main/res/values-lij/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-lij/strings.xml create mode 100644 app/src/main/res/values-ln/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-ln/strings.xml create mode 100644 app/src/main/res/values-lo/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-lo/strings.xml create mode 100644 app/src/main/res/values-lt/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-lt/strings.xml create mode 100644 app/src/main/res/values-luy/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-luy/strings.xml create mode 100644 app/src/main/res/values-lv/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-lv/strings.xml create mode 100644 app/src/main/res/values-mai/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-mai/strings.xml create mode 100644 app/src/main/res/values-me/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-me/strings.xml create mode 100644 app/src/main/res/values-mg/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-mg/strings.xml create mode 100644 app/src/main/res/values-mh/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-mh/strings.xml create mode 100644 app/src/main/res/values-mi/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-mi/strings.xml create mode 100644 app/src/main/res/values-mk/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-mk/strings.xml create mode 100644 app/src/main/res/values-ml/google-playstore-strings.xml create mode 100644 app/src/main/res/values-ml/strings.xml create mode 100644 app/src/main/res/values-mn/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-mn/strings.xml create mode 100644 app/src/main/res/values-moh/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-moh/strings.xml create mode 100644 app/src/main/res/values-mos/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-mos/strings.xml create mode 100644 app/src/main/res/values-mr/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-mr/strings.xml create mode 100644 app/src/main/res/values-ms/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-ms/strings.xml create mode 100644 app/src/main/res/values-mt/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-mt/strings.xml create mode 100644 app/src/main/res/values-my/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-my/strings.xml create mode 100644 app/src/main/res/values-na/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-na/strings.xml create mode 100644 app/src/main/res/values-nb/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-nb/strings.xml create mode 100644 app/src/main/res/values-nds/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-nds/strings.xml create mode 100644 app/src/main/res/values-ne/google-playstore-strings.xml create mode 100644 app/src/main/res/values-ne/strings.xml create mode 100644 app/src/main/res/values-ng/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-ng/strings.xml create mode 100644 app/src/main/res/values-nl/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-nl/strings.xml create mode 100644 app/src/main/res/values-nn/google-playstore-strings.xml create mode 100644 app/src/main/res/values-nn/strings.xml create mode 100644 app/src/main/res/values-no/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-no/strings.xml create mode 100644 app/src/main/res/values-nr/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-nr/strings.xml create mode 100644 app/src/main/res/values-nso/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-nso/strings.xml create mode 100644 app/src/main/res/values-ny/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-ny/strings.xml create mode 100644 app/src/main/res/values-oc/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-oc/strings.xml create mode 100644 app/src/main/res/values-oj/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-oj/strings.xml create mode 100644 app/src/main/res/values-om/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-om/strings.xml create mode 100644 app/src/main/res/values-or/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-or/strings.xml create mode 100644 app/src/main/res/values-os/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-os/strings.xml create mode 100644 app/src/main/res/values-pa/google-playstore-strings.xml create mode 100644 app/src/main/res/values-pa/strings.xml create mode 100644 app/src/main/res/values-pam/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-pam/strings.xml create mode 100644 app/src/main/res/values-pap/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-pap/strings.xml create mode 100644 app/src/main/res/values-pcm/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-pcm/strings.xml create mode 100644 app/src/main/res/values-pi/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-pi/strings.xml create mode 100644 app/src/main/res/values-pl/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-pl/strings.xml create mode 100644 app/src/main/res/values-ps/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-ps/strings.xml create mode 100644 app/src/main/res/values-pt/google-playstore-strings.xml create mode 100644 app/src/main/res/values-pt/strings.xml create mode 100644 app/src/main/res/values-qu/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-qu/strings.xml create mode 100644 app/src/main/res/values-quc/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-quc/strings.xml create mode 100644 app/src/main/res/values-qya/google-playstore-strings.xml create mode 100644 app/src/main/res/values-qya/strings.xml create mode 100644 app/src/main/res/values-rm/google-playstore-strings.xml create mode 100644 app/src/main/res/values-rm/strings.xml create mode 100644 app/src/main/res/values-rn/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-rn/strings.xml create mode 100644 app/src/main/res/values-ro/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-ro/strings.xml create mode 100644 app/src/main/res/values-ru/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-ru/strings.xml create mode 100644 app/src/main/res/values-rw/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-rw/strings.xml create mode 100644 app/src/main/res/values-ry/google-playstore-strings.xml create mode 100644 app/src/main/res/values-ry/strings.xml create mode 100644 app/src/main/res/values-sa/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-sa/strings.xml create mode 100644 app/src/main/res/values-sat/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-sat/strings.xml create mode 100644 app/src/main/res/values-sc/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-sc/strings.xml create mode 100644 app/src/main/res/values-sco/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-sco/strings.xml create mode 100644 app/src/main/res/values-sd/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-sd/strings.xml create mode 100644 app/src/main/res/values-se/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-se/strings.xml create mode 100644 app/src/main/res/values-sg/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-sg/strings.xml create mode 100644 app/src/main/res/values-sh/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-sh/strings.xml create mode 100644 app/src/main/res/values-si/google-playstore-strings.xml create mode 100644 app/src/main/res/values-si/strings.xml create mode 100644 app/src/main/res/values-sk/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-sk/strings.xml create mode 100644 app/src/main/res/values-sl/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-sl/strings.xml create mode 100644 app/src/main/res/values-sma/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-sma/strings.xml create mode 100644 app/src/main/res/values-sn/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-sn/strings.xml create mode 100644 app/src/main/res/values-so/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-so/strings.xml create mode 100644 app/src/main/res/values-son/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-son/strings.xml create mode 100644 app/src/main/res/values-sq/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-sq/strings.xml create mode 100644 app/src/main/res/values-sr/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-sr/strings.xml create mode 100644 app/src/main/res/values-ss/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-ss/strings.xml create mode 100644 app/src/main/res/values-st/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-st/strings.xml create mode 100644 app/src/main/res/values-su/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-su/strings.xml create mode 100644 app/src/main/res/values-sv/google-playstore-strings.xml create mode 100644 app/src/main/res/values-sv/strings.xml create mode 100644 app/src/main/res/values-sw/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-sw/strings.xml create mode 100644 app/src/main/res/values-syc/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-syc/strings.xml create mode 100644 app/src/main/res/values-ta/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-ta/strings.xml create mode 100644 app/src/main/res/values-tay/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-tay/strings.xml create mode 100644 app/src/main/res/values-te/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-te/strings.xml create mode 100644 app/src/main/res/values-tg/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-tg/strings.xml create mode 100644 app/src/main/res/values-th/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-th/strings.xml create mode 100644 app/src/main/res/values-ti/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-ti/strings.xml create mode 100644 app/src/main/res/values-tk/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-tk/strings.xml create mode 100644 app/src/main/res/values-tl/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-tl/strings.xml create mode 100644 app/src/main/res/values-tn/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-tn/strings.xml create mode 100644 app/src/main/res/values-tr/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-tr/strings.xml create mode 100644 app/src/main/res/values-ts/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-ts/strings.xml create mode 100644 app/src/main/res/values-tt/google-playstore-strings.xml create mode 100644 app/src/main/res/values-tt/strings.xml create mode 100644 app/src/main/res/values-tw/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-tw/strings.xml create mode 100644 app/src/main/res/values-ty/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-ty/strings.xml create mode 100644 app/src/main/res/values-tzl/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-tzl/strings.xml create mode 100644 app/src/main/res/values-ug/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-ug/strings.xml create mode 100644 app/src/main/res/values-uk/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-uk/strings.xml create mode 100644 app/src/main/res/values-ur/google-playstore-strings.xml create mode 100644 app/src/main/res/values-ur/strings.xml create mode 100644 app/src/main/res/values-uz/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-uz/strings.xml create mode 100644 app/src/main/res/values-val/google-playstore-strings.xml create mode 100644 app/src/main/res/values-val/strings.xml create mode 100644 app/src/main/res/values-ve/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-ve/strings.xml create mode 100644 app/src/main/res/values-vec/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-vec/strings.xml create mode 100644 app/src/main/res/values-vi/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-vi/strings.xml create mode 100644 app/src/main/res/values-vls/google-playstore-strings.xml create mode 100644 app/src/main/res/values-vls/strings.xml delete mode 100644 app/src/main/res/values-w820dp/dimens.xml create mode 100644 app/src/main/res/values-wa/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-wa/strings.xml create mode 100644 app/src/main/res/values-wo/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-wo/strings.xml create mode 100644 app/src/main/res/values-xh/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-xh/strings.xml create mode 100644 app/src/main/res/values-yi/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-yi/strings.xml create mode 100644 app/src/main/res/values-yo/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-yo/strings.xml create mode 100644 app/src/main/res/values-zea/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-zea/strings.xml create mode 100644 app/src/main/res/values-zh/google-playstore-strings.xml create mode 100644 app/src/main/res/values-zh/strings.xml create mode 100644 app/src/main/res/values-zu/google-playstore-strings.xml mode change 100755 => 100644 app/src/main/res/values-zu/strings.xml delete mode 100644 crowdin.yaml diff --git a/app/src/main/res/layout/fragment_overview.xml b/app/src/main/res/layout/fragment_overview.xml index cb6186d1..5fb7e08f 100644 --- a/app/src/main/res/layout/fragment_overview.xml +++ b/app/src/main/res/layout/fragment_overview.xml @@ -86,7 +86,7 @@ - - - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - diff --git a/app/src/main/res/values-aa/google-playstore-strings.xml b/app/src/main/res/values-aa/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-aa/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-aa/strings.xml b/app/src/main/res/values-aa/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-aa/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-ach/google-playstore-strings.xml b/app/src/main/res/values-ach/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-ach/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-ach/strings.xml b/app/src/main/res/values-ach/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-ach/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-ae/google-playstore-strings.xml b/app/src/main/res/values-ae/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-ae/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-ae/strings.xml b/app/src/main/res/values-ae/strings.xml old mode 100755 new mode 100644 index 2fa846d3..bd7e2bd1 --- a/app/src/main/res/values-ae/strings.xml +++ b/app/src/main/res/values-ae/strings.xml @@ -1,8 +1,76 @@ - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Glucosio + تنظیمات + ارسال بازخورد + بررسی + تاریخچه + نکات + سلام. + سلام. + شرایط استفاده. + من شرایط استفاده را مطالعه کردم و آنرا پذیرفتم + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + ما فقط به چند چیز کوچک قبل از شروع نیاز داریم. + کشور + سن + لطفا سن درست را وارد کنید. + جنسیت + مرد + زن + دیگر + نوع دیابت + نوع ۱ + نوع۲ + واحد مورد نظر + به اشتراک گذاشتن داده ها به صورت ناشناس جهت تحقیقات. + شما می توانید این را بعدا در تنظیمات تغییر دهید. + بعدی + شروع به کار + No info available yet. \n Add your first reading here. + وارد کردن سطح گلوکز(قند) خون + غلظت + تاریخ + زمان + اندازه گیری شده + قبل صبحانه + بعد صبحانه + قبل از ناهار + بعد از ناهار + قبل از شام + بعد از شام + General + بررسی مجدد + شب + دیگر + لغو + اضافه + لطفا یک مقدار معتبر وارد کنید. + لطفا تمامی بخش ها را پر کنید. + حذف + ویرایش + 1 reading deleted + برگردان + اخرین بررسی: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + درباره + نسخه + شرایط استفاده + نوع + Weight + دسته سفارشی شده برای اندازه گیری + + خوردن غذا های تازه و فراوری نشده برای کمک به کاهش مصرف کربوهیدارت و قند و شکر. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. When eating out, ask if they have low sodium dishes. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + دستیار + بروزرسانی همین حالا + متوجه شدم + ارسال بازخورد + ADD READING + بروزرسانی وزن + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + ارسال بازخورد + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-af/google-playstore-strings.xml b/app/src/main/res/values-af/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-af/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-af/strings.xml b/app/src/main/res/values-af/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-af/strings.xml +++ b/app/src/main/res/values-af/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-ak/google-playstore-strings.xml b/app/src/main/res/values-ak/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-ak/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-ak/strings.xml b/app/src/main/res/values-ak/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-ak/strings.xml +++ b/app/src/main/res/values-ak/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-am/google-playstore-strings.xml b/app/src/main/res/values-am/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-am/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-am/strings.xml b/app/src/main/res/values-am/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-am/strings.xml +++ b/app/src/main/res/values-am/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-an/google-playstore-strings.xml b/app/src/main/res/values-an/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-an/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-an/strings.xml b/app/src/main/res/values-an/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-an/strings.xml +++ b/app/src/main/res/values-an/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-ar/google-playstore-strings.xml b/app/src/main/res/values-ar/google-playstore-strings.xml new file mode 100644 index 00000000..0fe6fb0e --- /dev/null +++ b/app/src/main/res/values-ar/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + جلوكسيو + Glucosio is a user centered free and open source app for people with diabetes + باستخدام جلوكسيو، يمكنك إدخال وتتبع مستويات السكر في الدم، ودعم أبحاث مرض السكري بالمساهمة باتجاهات الجلوكوز الديمغرافية بطريقة آمنه، واحصل على نصائح مفيدة من خلال مساعدنا. جلوكسيو تحترم الخصوصية الخاصة بك، وأنت دائماً المسيطر على البيانات الخاصة بك. + * المستخدم محورها. جلوكسيو تطبيقات تم إنشاؤها باستخدام ميزات وتصاميم تتطابق مع احتياجات المستخدم ونحن نتقبل ارائكم باستمرار لتحسين المنتج. + * المصدر المفتوح. تطبيقات جلوكسيو تعطيك الحرية في استخدام ونسخ، ودراسة، وتغيير التعليمات البرمجية من أي من تطبيقات لدينا وحتى المساهمة في مشروع جلوكسيو. + * إدارة البيانات. جلوكسيو يسمح لك بتتبع وإدارة بياناتك الخاصة بداء السكري من واجهة حديثة بنيت بناء على توصيات من مرضى السكري. + * دعم البحوث. تطبيقات جلوكسيو تعطي للمستخدمين خيار عدم مشاركة معلوماتهم الخاصة بمستويات السكري ومعلومات ديموغرافية مع الباحثين. + يرجى ارسال أي الأخطاء أو المشاكل أو الطلبات لـ: + https://github.com/glucosio/android + تفاصيل أكثر: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-ar/strings.xml b/app/src/main/res/values-ar/strings.xml old mode 100755 new mode 100644 index 79aeba37..f09c4549 --- a/app/src/main/res/values-ar/strings.xml +++ b/app/src/main/res/values-ar/strings.xml @@ -1,14 +1,19 @@ + جلوكوسيو إعدادات + ارسل رأيك نظره عامه السّجل نصائح مرحباً. مرحباً. + شروط الاستخدام + لقد قرأت وقبلت \"شروط الاستخدام\" + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. نحن بحاجة فقط لبضعة أشياء سريعة قبل البدء. - اللغة المفضلة + الدولة العمر الرجاء إدخال عمر صحيح. الجنس @@ -21,8 +26,9 @@ الوحدة المفضلة شارك البيانات بطريقة مجهولة للبحوث. يمكنك تغيير هذه الإعدادات في وقت لاحق. - لنبدأ - لا توجد بيانات متاحة. \n أضف هنا لأول مرة. + التالي + لنبدأ + No info available yet. \n Add your first reading here. أضف مستوى الجلوكوز في الدم التركيز التاريخ @@ -34,8 +40,13 @@ بعد الغداء قبل العشاء بعد العشاء + عامّ + إعادة فحص + ليل + غير ذلك ألغِ أضِف + الرجاء إدخال قيمة صحيحة. الرجاء تعبئة كافة الحقول. احذف عدِّل @@ -44,8 +55,21 @@ أخر فحص: الاتجاه الشهر الماضي: في النطاق وصحي - نصيحة - + الشهر + يوم + اسبوع + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + عن + الإصدار + شروط الاستخدام + نوع + الوزن + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -54,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -64,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + مساعدة + حدِّث الآن + OK, GOT IT + أرسل الملاحظات + أضف القراءة + حدِّث وزنك + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + إرسال ملاحظات + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + إضافة قراءة + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + قيمة الحد الأدنى + قيمة الحد الأقصى + جرِّبها الآن diff --git a/app/src/main/res/values-arn/google-playstore-strings.xml b/app/src/main/res/values-arn/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-arn/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-arn/strings.xml b/app/src/main/res/values-arn/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-arn/strings.xml +++ b/app/src/main/res/values-arn/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-as/google-playstore-strings.xml b/app/src/main/res/values-as/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-as/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-as/strings.xml b/app/src/main/res/values-as/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-as/strings.xml +++ b/app/src/main/res/values-as/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-ast/google-playstore-strings.xml b/app/src/main/res/values-ast/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-ast/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-ast/strings.xml b/app/src/main/res/values-ast/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-ast/strings.xml +++ b/app/src/main/res/values-ast/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-av/google-playstore-strings.xml b/app/src/main/res/values-av/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-av/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-av/strings.xml b/app/src/main/res/values-av/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-av/strings.xml +++ b/app/src/main/res/values-av/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-ay/google-playstore-strings.xml b/app/src/main/res/values-ay/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-ay/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-ay/strings.xml b/app/src/main/res/values-ay/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-ay/strings.xml +++ b/app/src/main/res/values-ay/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-az/google-playstore-strings.xml b/app/src/main/res/values-az/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-az/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-az/strings.xml b/app/src/main/res/values-az/strings.xml old mode 100755 new mode 100644 index 2fa846d3..ad61f659 --- a/app/src/main/res/values-az/strings.xml +++ b/app/src/main/res/values-az/strings.xml @@ -1,31 +1,137 @@ - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + Glucosio + Nizamlamalar + Əks əlaqə + Ön baxış + Tarix + İp ucları + Salam. + Salam. + İstifadə şərtləri. + İstifadə şərtlərini oxudum və qəbul edirəm + Glucosio Web saytı, qrfika, rəsm və digər materialları (\"məzmunlar\") şeyləri sadəcə +məlumat məqsədlidir. Həkiminizin dedikləri ilə bərabər, sizə köməkçi olmaq üçün hazırlanan professional bir proqramdır. Uyğun sağlamlıq yoxlanması üçün həmişə həkiminizlə məsləhətləşin. Proqram professional bir sağlamlıq proqramıdır, ancaq əsla və əsla həkimin müayinəsini laqeydlik etməyin və proqramın dediklərinə görə həkimə getməkdən imtina etməyin. Glucosio Web saytı, Blog, Viki və digər əlçatan məzmunlar (\"Web saytı\") sadəcə yuxarıda açıqlanan məqsəd üçün istifadə olunmalıdırr. \n güven Glucosio, Glucosio komanda üzvləri, könüllüllər və digərləri tərəfindən verilən hər hansı məlumatata etibar edin ya da bütün risk sizin üzərinizdədir. Sayt və məzmunu \"olduğu kimi\" formasında təqdim olunur. + Başlamamışdan əvvəl bir neçə şey etməliyik. + Ölkə + Yaş + Lütfən doğru yaşınızı daxil edin. + Cinsiyyət + Kişi + Qadın + Digər + Diyabet tipi + Tip 1 + Tip 2 + Seçilən vahid + Araştırma üçün anonim məlumat göndər. + Bu seçimləri sonra dəyişə bilərsiniz. + Növbəti + BAŞLA + Hələki məlumat yoxdur \n Bura əlavə edə bilərsiniz. + Qan qlikoza dərəcəsi əlavə et + Qatılıq + Tarix + Vaxt + Ölçülən + Səhər, yeməkdən əvvəl + Səhər, yeməkdən sonra + Nahardan əvvəl + Nahardan sonra + Şam yeməyindən əvvəl + Şam yeməyindən sonra + Ümumi + Yenidən yoxla + Gecə + Digər + LƏĞV ET + ƏLAVƏ ET + Etibarlı dəyər daxil edin. + Boş yerləri doldurun. + Sil + Redaktə + 1 oxunma silindi + GERİ + Son yoxlama: + Son bir aydakı tendesiya: + intervalında və sağlam + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + Haqqında + Versiya + İstifadə şərtləri + Tip + Weight + Şəxsi ölçü kateqoriyası + + Karbohidrat və şəkər qəbulunu azaltmaq üçün təzə və işlənməmiş qidalardan istifadə edin. + Paketlənmiş məhsulların karbohidrat və şəkər dərəcəsini öyənməkçün etiketləri oxuyun. + Başqa yerdə yeyərkən, əlavə heç bir yağ və ya kərəyağı olmadan balıq, qızartma ət istəyin. + Başqa yerdə yeyərkən, aşağı natriumlu yeməklər olub olmadığını soruşun. + Başqa yerdə yeyərkən, evdə yediyiniz qədər sifariş edin, qalanını isə paketləməyi istəyin. + Başqa yerdə yeyərkən, az kalorili yemək seçin, salat sosu kimi, menyuda olmasa belə istəyin. + Başqa yerdə yeyərkən, dəyişməkdən çəkinməyin. Kartof qızartması əvəzinə tərəvəz istəyin, xiyar, yaşıl lobya və ya brokoli. + Başqa yerdə yeyərkən, qızartmalardan uzaq durun. + Başqa yerdə yeyərkən, sos istəyəndə salatım \"kənarında\" qoymalarını istəyin + Şəkərsiz demək, tamamən şəkər yoxdu demək deyil. Hər porsiyada 0.5 (q) şəkər var deməkdir. Həddən çox \"şəkərsiz\" məhsul istifadə etməyin. + Çəkinin normallaşması qanda şəkərə nəzarət etməyə kömək edir. Sizin həkiminiz, diyetoloq və fitnes-məşqçi sizə çəkinin normallaşmasının planını hazırlamağa kömək edəcəklər. + Qanda şəkərin səviyyəsini yoxlayın və onu gündə iki dəfə Glucosio kimi xüsusi proqramların köməyi ilə izləyin, bu sizə yeməyi və həyat tərzini anlamağa kömək edəcək. + 2-3 ayda bir dəfə qanda şəkərin orta səviyyəsini bilmək üçün A1c qan analizini edin. Sizin həkiminiz hansı tezlikdə analiz verməli olduğunuzu deməlidir. + Sərf edilən karbohidratların izlənilməsi qanda şəkərin səviyyəsinin yoxlaması kimi əhəmiyyətli ola bilər, çünki karbohidratlar qanda qlükozanın səviyyəsinə təsir edir. Sizin həkiminizlə və ya diyetoloqla karbohidrat qəbulunu müzakirə edin. + Qan təzyiqinin, xolesterinin və triqliseridovin səviyyəsinə nəzarət etmək əhəmiyyətlidir, çünki şəkər xəstələri ürək xəstəliklərinə meyillidir. + Pəhrizin bir neçə variantı mövcuddur, onların köməyiylə daha çox sağlam qidalana bilirsiniz, bu sizə öz diabetinə nəzarət etməyə kömək edəcək. Hansı pəhrizin sizə və büdcənizə uyğun olması barədə diyetoloqdan soruşun. + Müntəzəm fiziki tapşırıqlar diabetiklər üçün xüsusilə əhəmiyyətlidir, çünki bu normal çəkini dəstəkləməyə kömək edir. Hansı tapşırıqların sizə uyğun olmasını həkiminizlə müzakirə edin. + Doyunca yatmamaqla çox yemək (xüsusilə qeyri sağlam qida) sizin sağlamlığınızda pis təsir edir. Gecələr yaxşı yatın. Əgər yuxuyla bağlı problemlər sizi narahat edirsə, mütəxəssisə müraciət edin. + Stress şəkər xəstələrinə pis təsir göstərir. Stressin öhdəsindən gəlmək barədə həkiminizlə və ya başqa mütəxəssislə məsləhətləşin. + İllik həkim yoxlaması və həkimlə mütəmadi əlaqə şəkər xəstləri üçün çox əhəmiyyətlidir, bu xəstəliyin istənilən kəskin partlayışının qarşısını almağa imkanverəcək. + Həkiminizin təyinatı üzrə dərmanları qəbul edin, hətta dərmanların qəbulunda kiçik buraxılışlar qanda şəkərin səviyyəsinə təsir göstərir və başqa təsirləri də ola bilər. Əgər sizə dərmanların qəbulunu xatırlamaq çətindirsə, xatırlatmanın imkanları haqqında həkiminizdən soruşun. + + + Yaşlı şəkər xəstələrində sağlamlıqla problemlərin yaranma riski daha çoxdur. Həkiminizlə yaşınızın xəstəliyinizə təsiri haqda danışın və nə etməli olduğunuzu öyrənin. + Hazırlanan yeməklərdə duzun miqdarını azaldın. Həmçinin yemək yeyərkən əlavə etdiyiniz duz miqdarını da azaldın. + + Köməkçi + İndi yenilə + OLDU, ANLADIM + ƏKS ƏLAQƏ GÖNDƏR + OXUMA ƏLAVƏ ET + Çəkinizi yeniləyin + Ən dəqiq informasiyaya malik olmaq üçün Glucosio-u yeniləməyi unutmayın. + Araşdırma qəbulunu yeniləyin + Siz həmişə diabetin birgə tədqiqatına qoşula və çıxa bilərsiniz, amma xatırladaq ki, bütün məlumatlar tamamilə anonimdir. Yalnız demoqrafiklər və qanda qlükozanın səviyyələrində tendensiyalar paylaşılır. + Kateqoriya yarat + Glucosio, standart olaraq qlükoza kateqoriyalara bölünmüş halda gəlir, amma siz nizamlamalarda şəxsi kateqoriyalarınızı yarada bilərsiniz. + Buranı tez-tez yoxla + Glucosio köməkçisi müntəzəm məsləhətlər verir və yaxşılaşmağa davam edəcək, buna görə hər zaman Glucosio təcrübənizi yaxşılaşdıracaq və digər faydalı şeylər üçün buranı yoxlayın. + Əks əlaqə göndər + Əgər siz hər hansı texniki problem aşkar etsəniz və ya Glucosio ilə əks əlaqə yaratmaq istəsəniz, Glucosio-u yaxşılaşdırmağa kömək etmək üçün nizamlamalardan bizə təqdim etməyinizi xahiş edirik. + Oxuma əlavə et + Qlükozanın öz ifadələrini daim əlavə etdiyinizə əmin olun. Buna görə sizə uzun vaxt ərzində qlükozanın səviyyələrini izləməyə kömək edə bilərik. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-ba/google-playstore-strings.xml b/app/src/main/res/values-ba/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-ba/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-ba/strings.xml b/app/src/main/res/values-ba/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-ba/strings.xml +++ b/app/src/main/res/values-ba/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-bal/google-playstore-strings.xml b/app/src/main/res/values-bal/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-bal/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-bal/strings.xml b/app/src/main/res/values-bal/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-bal/strings.xml +++ b/app/src/main/res/values-bal/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-ban/google-playstore-strings.xml b/app/src/main/res/values-ban/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-ban/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-ban/strings.xml b/app/src/main/res/values-ban/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-ban/strings.xml +++ b/app/src/main/res/values-ban/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-be/google-playstore-strings.xml b/app/src/main/res/values-be/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-be/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-be/strings.xml b/app/src/main/res/values-be/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-be/strings.xml +++ b/app/src/main/res/values-be/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-ber/google-playstore-strings.xml b/app/src/main/res/values-ber/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-ber/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-ber/strings.xml b/app/src/main/res/values-ber/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-ber/strings.xml +++ b/app/src/main/res/values-ber/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-bfo/google-playstore-strings.xml b/app/src/main/res/values-bfo/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-bfo/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-bfo/strings.xml b/app/src/main/res/values-bfo/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-bfo/strings.xml +++ b/app/src/main/res/values-bfo/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-bg/google-playstore-strings.xml b/app/src/main/res/values-bg/google-playstore-strings.xml new file mode 100644 index 00000000..a4ec05a0 --- /dev/null +++ b/app/src/main/res/values-bg/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio е потребителски центрирано, безплатно и с отворен код приложение за хора с диабет + Използвайки Glucosio, може да въведете и проследявате нивата на кръвната захар, анонимно да подкрепите изследвания на диабета като предоставите демографски и анонимни тенденции на кръвната захар, да получите полезни съвети чрез нашия помощник. Glucosio уважава вашата поверителност и вие винаги може да контролирате вашите данни. + * Потребителски центрирано. Glucosio приложенията са изградени с функции и дизайн, които да отговарят на потребителските нужди и винаги сме отворени за предложения във връзка с подобрението. + * Отворен код. Glucosio приложенията ви дават свободата да използвате, копирате, проучвате и променяте кода на всяко едно от нашите приложения и дори да допринесете за развитието на Glucosio проекта. + * Управление на данни. Glucosio ви позволява да следите и да управлявате данните за диабета ви по интуитивен, модерен интерфейс изграден с помощта на съвети от диабетици. + * Подкрепете проучването. Glucosio приложенията дават на потребителите избор дали да участват в анонимното споделяне на данни за диабета и демографска информация с изследователите. + Моля изпращайте всякакви грешки, проблеми или предложения за функции на: + https://github.com/glucosio/android + Вижте повече: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-bg/strings.xml b/app/src/main/res/values-bg/strings.xml old mode 100755 new mode 100644 index d5391355..2ed3d8c6 --- a/app/src/main/res/values-bg/strings.xml +++ b/app/src/main/res/values-bg/strings.xml @@ -1,14 +1,19 @@ + Glucosio Настройки + Изпрати отзив Преглед История Съвети Здравейте. Здравейте. + Условия за ползване + Прочетох и приемам условията за ползване + Съдържанието на уеб страницата и приложението на Glucosio, например текст, графики, изображения и други материали (\"Съдържание\") са само с информативни цели. Съдържанието не е предназначено да бъде заместител на професионален медицински съвет, диагностика или лечение. Насърчаваме потребителите на Glucosio винаги да търсят съвет от лекар или друг квалифициран медицински специалист за всякакви въпроси, които може да имат по отношение на медицинско състояние. Никога не пренебрегвайте професионален медицински съвет и не го търсете със закъснение, защото сте прочели нещо в уеб страницата на Glucosio или в нашето приложение. Уеб страницата, блогът, уики странцата на Glucosio или друго съдържание достъпно през уеб браузър (\"Уеб страница\") трябва да се използва само за описаното по-горе предназначение.\n Уповаването във всякаква информация предоставена от Glucosio, екипът на Glucosio, доброволци и други, показани на Уеб страницата или в нашите приложения е единствено на ваш риск. Страницата и Съдържанието са предоставени само като основа. Необходимо е набързо да попълните няколко неща преди да започнете. - Предпочитан език + Държава Възраст Моля въведете действителна възраст. Пол @@ -21,8 +26,9 @@ Предпочитана единица Споделете анонимни данни за проучване. Можете да промените тези настройки по-късно. - НЕКА ДА ЗАПОЧНЕТЕ - Няма налични данни. \n Добавете първите си тук. + СЛЕДВАЩА + НАЧАЛО + Все още няма налична информация. \n Добавете вашите стойности тук. Добави Ниво на Кръвната Захар Концентрация Дата @@ -34,8 +40,13 @@ След обяд Преди вечеря След вечеря + Основни + Повторна проверка + Нощ + Друг Отказ Добави + Моля въведете правилна стойност. Моля попълнете всички полета. Изтриване Промяна @@ -44,32 +55,82 @@ Последна проверка: Тенденция през последния месец: В граници и здравословен - Съвет - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + Месец + Ден + Седмица + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + Относно + Версия + Условия за ползване + Тип + Тегло + Потребителска категория за измерване + + Яжте повече пресни, неподправени храни, това ще спомогне за намаляване на приема на захар и въглехидрати. + Четете етикетите на пакетираните храни и напитки, за да контролирате приема на захар и въглехидрати. + Когато се храните навън, попитайте за риба и месо, печени без допълнително масло или олио. + Когато се храните навън, попитайте дали имат ястия с ниско съдържание на натрий. + Когато се храните навън, изяждайте същите порции, които бихте изяли у дома и помолете да вземете останалото за вкъщи. + Когато се храните навън питайте за ниско калорични храни като дресинги за салата, дори да ги няма в менюто. + Когато се храните навън, попитайте за заместители, например вместо Пържени картофи, поискайте зеленчуци, салата, зелен боб или броколи. + Когато се храните навън, поръчвайте храна, която не е панирана или пържена. + Когато се храните навън помолете отделно за сосове, сокове и дресинги за салата. + \"Без захар\" не означава наистина без захар. Означава 0,5 грама (g) захар на порция, така че внимавайте и не включвайте много храни \"без захар\" в храненето ви. + Поддържането на здравословно тегло ви помага да контролирате нивото на кръвна захар. Вашият доктор, диетолог или фитнес инструктор може да Ви помогне да изградите подходящ за вас режим. + Проверяването на нивото на кръвна захар и следенето й с приложение като Glucosio два пъти на ден ще Ви помогне да сте наясно с последствията от храната и начина Ви на живот. + Направете A1c кръвен тест, за да разберете вашето средно ниво на кръвна захар за последните 2 до 3 месеца. Вашият доктор трябва да Ви каже колко често трябва да правите този тест. + Следенето на количеството въглехидрати, което консумирате е също толкова важно, колкото проверяването на кръвта, тъй като те влияят на нивото на кръвна захар. Говорете с вашия доктор или диетолог относно приема въглехидрати. + Следенето на кръвното налягане, холестерола и нивата на триглицеридите е важно, тъй като диабетиците са податливи на сърдечни заболявания. + Има няколко диети, които могат да Ви помогнат да се храните по-здравословно и да намалите последствията от диабета. Потърсете съвет от диетолог, за това какво ще бъде най-добре за вас и вашия бюджет. + Правенето на редовни упражнения е особено важно за диабетиците и може да Ви помогне да поддържате здравословно тегло. Моля попитайте вашия лекар за упражнения, които биха били подходящи за вас. + Лишаването от сън може да Ви накара да ядете повече, особено вредна храна и може да има отрицателно влияние върху здравето. Бъдете сигурни, че получавате добър нощен сън и се консултирайте със специалист, ако изпитвате затруднения. + Стресът може да има отрицателно влияние върху диабета, моля свържете с вашия лекар, или друг професионалист и поговорете за справянето със стреса. + Посещавайки вашия доктор веднъж годишно и поддържайки постоянна връзка през годината е важно за диабетиците, за да предотвратят внезапното възникване на здравословни проблеми. + Взимайте лекарствата си според предписанията на вашия лекар, дори малки пропуски могат да повлияят на нивото на кръвната ви захар и може да причинят странични ефекти. Ако имате затруднения с запомнянето, попитайте вашия доктор за следене на лечението и начини за напомняне. + + + Здравето на по-възрастните диабетици е изложено на по-голям риск свързан с диабета. Моля свържете с вашия доктор и се информирайте, как възрастта влияе на диабета ви и за какво да внимавате. + Ограничете количеството сол, когато готвите и когато подправяте вече готовите ястия. + + Помощник + АКТУАЛИЗИРАЙ СЕГА + ДОБРЕ, РАЗБРАХ + ИЗПРАТИ ОТЗИВ + ДОБАВИ ПОКАЗАТЕЛ + Актуализиране на тегло + Актуализирайте теглото си, за да може Glucosio да разполага с най-точна информация. + Актуализиране на участието в проучването + Винаги може да изберете дали да участвате или да не участвате в споделянето на данни за проучването на диабета, но помнете, че всички споделени данни са изцяло анонимни. Ние споделяме само демографски данни и тенденции в нивото на кръвна захар. + Създай категории + В Glucosio са предложени готови категории за въвеждане на данни за кръвната захар, но можете да създадете собствени категории в настройките, за да отговарят на вашите уникални нужди. + Проверявайте често тук + Glucosio помощникът осигурява редовни съвети и ще продължи да се подобрява, така че винаги проверявай тук за полезни действия, които да подобрят вашата употреба на Glucosio и за други полезни съвети. + Изпрати отзив + Ако откриете някакви технически грешки или имате отзив за Glucosio ви насърчаваме да го изпратите в менюто \"Настройки\", за да ни помогнете да усъвършенстваме Glucosio. + Добави стойност + Не забравяйте редовно да добавяте показанията на кръвната ви захар, така ще можем да ви помогнем да проследите нивата с течение на времето. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Предпочитан диапазон + Потребителски диапазон + Минимална стойност + Максимална стойност + ИЗПРОБВАЙ СЕГА diff --git a/app/src/main/res/values-bh/google-playstore-strings.xml b/app/src/main/res/values-bh/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-bh/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-bh/strings.xml b/app/src/main/res/values-bh/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-bh/strings.xml +++ b/app/src/main/res/values-bh/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-bi/google-playstore-strings.xml b/app/src/main/res/values-bi/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-bi/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-bi/strings.xml b/app/src/main/res/values-bi/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-bi/strings.xml +++ b/app/src/main/res/values-bi/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-bm/google-playstore-strings.xml b/app/src/main/res/values-bm/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-bm/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-bm/strings.xml b/app/src/main/res/values-bm/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-bm/strings.xml +++ b/app/src/main/res/values-bm/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-bn/google-playstore-strings.xml b/app/src/main/res/values-bn/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-bn/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-bn/strings.xml b/app/src/main/res/values-bn/strings.xml old mode 100755 new mode 100644 index 72ad469b..fd966d0b --- a/app/src/main/res/values-bn/strings.xml +++ b/app/src/main/res/values-bn/strings.xml @@ -1,14 +1,19 @@ + Glucosio সেটিংস + ফিডব্যাক প্রেরণ করুন সংক্ষিপ্ত বিবরণ ইতিহাস ইঙ্গিত হ্যালো। হ্যালো। + ব্যবহারের শর্তাবলী। + আমি ব্যবহারের শর্তাবলী পড়েছি এবং তা মেনে নিচ্ছি + গ্লুকোসিও ওয়েবসাইট এবং অ্যাপের কন্টেন্ট, যেমন লেখা, গ্রাফিক্স, ছবি এবং অন্যান্য উপকরণ (\"কন্টেন্ট\") শুধুমাত্র তথ্যভিত্তিক ব্যবহারের জন্য। এই কন্টেন্ট কোন পেশাদার মেডিক্যাল পরামর্শ, ডায়গোনসিস বা চিকিৎসার বিকল্প নয়। আমরা গ্লুকোসিও ব্যবহারকারীদের সবসময় উৎসাহিত করি যেকোন স্বাস্থ্যগত সমস্যায় একজন চিকিৎসক অথবা অন্য কোন পরীক্ষিত স্বাস্থ্যসেবা প্রদানকারীর পরামর্শ নিতে। গ্লুকোসিও ওয়েবসাইট বা অ্যাপে পড়েছেন এমন কিছুর জন্য কখনও পেশাদার চিকিৎসকের পরামর্শকে উপেক্ষা বা পরামর্শ নিতে দেরি করা উচিত নয়। গ্লুকোসিও ওয়েবসাইট, ব্লগ, উইকি এবং ওয়েব ব্রাউজারে পাওয়া যায় (\"ওয়েবসাইট\") শুধুমাত্র উপরের বর্ণিত উদ্দেশ্যেই ব্যবহারযোগ্য।\n গ্লুকোসিও, গ্লুকোসিও টিম মেম্বার, স্বেচ্ছাসেবক এবং এর ওয়েবসাইট বা অ্যাপে দেওয়া কোন তথ্যের উপর কেবলমাত্র আপনার নিজ দায়িত্বে ভরসা রাখবেন। সাইট এবং কন্টেন্ট \"পূর্বের অভিজ্ঞতার\" ভিত্তিতে প্রদান করা হয়। শুরু করার আগে আমাদের শুধু দ্রুত কিছু জিনিস প্রয়োজন। - পছন্দের ভাষা + দেশ বয়স একটি বৈধ বয়স লিখুন। লিঙ্গ @@ -21,8 +26,9 @@ পছন্দের ইউনিট গবেষণার জন্য বেনামী তথ্য শেয়ার করুন। আপনি এগুলি সেটিংসে গিয়ে পরেও বদলাতে পারেন। - শুরু করুন - কোন তথ্য উপলব্ধ নয়। \n আপনার প্রথম তথ্যটি এখানে যোগ করুন। + পরবর্তী + শুরু করুন + এখন পর্যন্ত কোন তথ্য নেই। \n আপনার রিডিং এখানে যোগ করুন। রক্তে গ্লুকোজের মাত্রা যোগ করুন ঘনত্ব তারিখ @@ -34,8 +40,13 @@ দুপুরে খাওয়ার পরে রাতে খাওয়ার আগে রাতে খাওয়ার পরে + সাধারণ + পুনঃপরীক্ষা + রাত + অন্যান্য বাতিল যোগ + অনুগ্রহ করে একটি বৈধ মান প্রবেশ করান। অনুগ্রহ করে সকল ফিল্ড ভরাট করুন। মুছে ফেলুন সম্পাদন @@ -44,32 +55,82 @@ সর্বশেষ পরীক্ষা: গত মাস ধরে প্রবনতা: পরিসীমার মধ্যে ও সুস্থ - পরামর্শ - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + সম্পর্কে + সংস্করণ + ব্যবহারের শর্তাবলী। + ধরন + Weight + কাস্টম পরিমাপ বিভাগ + + কার্বহাইড্রেট এবং সুগারের মাত্রা কমাতে, বেশি করে তাজা, অপ্রক্রিয়াজাত খাবার খান। + সুগার এবং কার্বহাইড্রেটের মাত্রা নিয়ন্ত্রণে রাখতে খাবার এবং পানীয়ের প্যাকেজের পুষ্টি সম্পর্কিত লেবেল পড়ুন। + যখন বাইরে খাবেন, বাড়তি মাখন বা তেল ছাড়া সিদ্ধ করা মাছ বা মাংস চান। + যখন বাইরে খাবেন, জিজ্ঞেস করুন তাদের কম সোডিয়ামযুক্ত খাবার পদ রয়েছে কিনা। + যখন বাইরে খাবেন, বাড়িতে যে পরিমান খাবার খান ঠিক সেই পরিমান খাবার খান, বাকী খাবার যাওয়ার সময় নিয়ে নিন। + যখন বাইরে খাবেন তাদের তালিকায় কম ক্যালোরির পদ মেনুতে না থাকলেও, এমন খাবার চেয়ে নিন, যেমন সালাদ ইত্যাদি। + যখন বাইরে খাবেন, খাবার বদল করতে বলুন। ফেঞ্চ ফ্রাইয়ের বদলে শাঁকসব্জি যেমন সালাদ, গ্রিন বিনস অথবা ব্রোকলি দ্বিগুণ পরিমানে অর্ডার করুন। + যখন বাইরে খাবেন, ভাঁজা-পোড়া নয় এমন খাবার অর্ডার করুন। + যখন বাইরে খাবেন \"সাথে\" সস, ঝোলজাতীয় এবং সালাদের কথা বলুন। + চিনিবিহীন মানে একেবারে চিনিমুক্ত নয়। এর অর্থ হল প্রতি পরিবেশনে 0.5 গ্রাম (g) চিনি থাকবে, তাই সতর্ক থাকুন যেমন খুব বেশি চিনিবিহীন আইটেম রাখা না হয়। + ব্লাড সুগার নিয়ন্ত্রণে রাখতে শরীরের সঠিক ওজন সাহায্য করে। আপনার চিকিৎসক, পরামর্শক এবং ফিটনেস প্রশিক্ষক আপনাকে এ উদ্দেশ্যে কাজ করতে পরিকল্পনায় সাহায্য করতে পারে। + ব্লাড লেভেল পরীক্ষা করে এবং তা দিনে দুইবার গ্লুকোসিও এর মত কোন অ্যাপে ট্র্যাক করে আপনার খাবার এবং জীবনধারনের পদ্ধতির ফলাফল সম্পর্কে আপনি জানতে পারবেন। + গত ২ বা ৩ মাসে আপনার রক্তে গড় চিনির পরিমাণ জানতে A1c রক্ত পরীক্ষা নিন। আপনার চিকিৎসক আপনাকে বলে দিবে কত ঘন ঘন আপনাকে এই পরীক্ষাটি করাতে হবে। + যেহেতু কার্বহাইড্রেট রক্তে গ্লুকোজের পরিমাণ প্রভাবিত করে তাই আপনি কি পরিমাণ কার্বোহাইড্রেট গ্রহণ করছেন তা ট্র্যাক করা রক্তে গ্লুকোনের মাত্রা পরীক্ষা করার মতনই গুরুত্বপূর্ণ। + রক্তচাপ, কোলেস্টেরল এবং ট্রাইগ্লিসারাইড লেভেল নিয়ন্ত্রণ গুরুত্বপূর্ণ কারন ডায়বেটিস হৃদরোগ ঘটাতে সক্ষম। There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + সহকারী + এখনই আপডেট করো + ঠিক আছে, বুঝতে পেরেছি + ফিডব্যাক জমা করুন + রিডিং সংযুক্ত করুন + আপনার নতুন ওজন দিন + Make sure to update your weight so Glucosio has the most accurate information. + আপনার গবেষণা হালনাগাদে যোগ দিন + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + বিভাগ তৈরি করুন + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + এখানে প্রায়ই পরীক্ষা করুন + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + ফিডব্যাক জমা করুন + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + পড়ায় যুক্ত করুন + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-bo/google-playstore-strings.xml b/app/src/main/res/values-bo/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-bo/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-bo/strings.xml b/app/src/main/res/values-bo/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-bo/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-br/google-playstore-strings.xml b/app/src/main/res/values-br/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-br/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-br/strings.xml b/app/src/main/res/values-br/strings.xml new file mode 100644 index 00000000..9cd2421a --- /dev/null +++ b/app/src/main/res/values-br/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Arventennoù + Send feedback + Alberz + Istorel + Tunioù + Demat. + Demat. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + Ezhomm hon eus traoù bennak a-raok kregiñ. + Country + Oad + Bizskrivit un oad talvoudek mar plij. + Rev + Gwaz + Maouez + All + Diabetoù seurt + Seurt 1 + Seurt 2 + Unanenn muiañ plijet + Rannañ roadennoù dizanv evit an enklask. + Gallout a rit kemmañ an dra-se diwezhatoc\'h. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Ouzhpenn ul Live Gwad Glukoz + Dizourañ + Deiziad + Eur + Muzulet + A-raok dijuniñ + Goude dijuniñ + A-raok merenn + Goude merenn + A-raok pred + Goude pred + General + Recheck + Night + Other + NULLAÑ + OUZHPENN + Please enter a valid value. + Leunit ar maezioù mar plij. + Dilemel + Embann + 1 lenn dilezet + DIZOBER + Gwiriadur diwezhañ: + Feur tremenet ar miz paseet: + en reizh an yec\'hed + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-bs/google-playstore-strings.xml b/app/src/main/res/values-bs/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-bs/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-bs/strings.xml b/app/src/main/res/values-bs/strings.xml old mode 100755 new mode 100644 index 2fa846d3..55c1f2ed --- a/app/src/main/res/values-bs/strings.xml +++ b/app/src/main/res/values-bs/strings.xml @@ -1,31 +1,136 @@ - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + Glucosio + Postavke + Pošaljite povratnu informaciju + Pregled + Historija + Savjeti + Zdravo. + Zdravo. + Uvjeti korištenja. + Pročitao/la sam i prihvatam uvjete korištenja + Sadržaj Glucosio web stranice i aplikacije, kao što su tekst, grafika, slike i drugi materijali (\"sadržaj\") služe za informisanje. Sadržaj nije namijenjen kao zamjena za profesionalni medicinski savjet, dijagnozu ili liječenje. Preporučujemo Glucosio korisnicima da uvijek traže savjet od svog liječnika ili drugih kvalifikovanih zdravstvenih radnika kada je riječ o njihovom zdravlju. Nikada nemojte zanemariti profesionalni medicinski savjet ili oklijevati u traženju savjeta zbog nečega što ste pročitali na Glucosio web stranici ili našim aplikacijama. Glucosio web stranica, blog, wiki i ostali na webu dostupan sadržaj (\"web stranice\") treba koristiti samo za svrhe za koje je navedeno. \n Oslanjanje na bilo koje informacije koje dostavlja Glucosio, članovi Glucosio tima, volonteri ili druga lica koja se pojavljuju na web stranici ili u našim aplikacijama je isključivo na vlastitu odgovornost. Stranice i sadržaj su omogućeni na osnovi \"Kakav jest\". + Potrebno nam je par brzih stvari prije nego što započnete. + Država + Dob + Molimo unesite valjanu dob. + Spol + Muški + Ženski + Drugo + Tip dijabetesa + Tip 1 + Tip 2 + Preferirana jedinica + Podijeli anonimne podatke zarad istraživanja. + Ove postavke možete promijeniti kasnije. + DALJE + ZAPOČNITE + Nema informacija.\nDodajte svoje prvo očitavanje ovdje. + Dodajte nivo glukoze u krvi + Koncentracija + Datum + Vrijeme + Izmjereno + Prije doručka + Nakon doručka + Prije ručka + Nakon ručka + Prije večere + Nakon večere + Opće + Ponovo provjeri + Noć + Ostalo + OTKAŽI + DODAJ + Molimo da unesete valjanu vrijednost. + Molimo da popunite sva polja. + Obriši + Uredi + 1 čitanje obrisano + PONIŠTI + Zadnja provjera: + Trend u proteklih mjesec dana: + u granicama i zdrav + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + O programu + Verzija + Uvjeti korištenja + Tip + Weight + Zasebna kategorija mjerenja + + Jedite više svježe neprocesirane hrane da biste smanjili unos ugljikohidrata i šećera. + Pročitajte nutritivnu tablicu na ambalaži hrane i pića da biste kontrolisali unos ugljikohidrata i šećera. + Kada jedete vani, tražite ribu ili meso kuhano bez dodatnog putera ili ulja. + Kada jedete vani, tražite jela sa niskim nivoom natrija. + Kada jedete vani, jedite istu porciju kao što biste i kod kuće, ostatke hrane ponesite. + Kada jedete vani tražite niskokaloričnu hranu, poput dresinga za salatu, čak i ako nisu na jelovniku. + Kada jedete vani tražite zamjenu. Umjesto pomfrita tražite duplu porciju povrća poput salate, mahuna ili brokula. + Kada jedete vani, tražite hranu koja nije pohovana ili pržena. + Kada jedete vani tražite soseve, umake i dresinge za salatu \"sa strane.\" + Bez šećera ne znači doslovno bez šećera. To znaći 0,5 grama (g) šećera po porciji, pa se nemojte previše upuštati u hranu bez šećera. + Kretanje ka zdravoj težini pomaže kontrolisanje šećera u krvi. Vaš doktor, dijetetičar ili fitness trener mogu vam pomoći da započnete sa zdravom ishranom. + Provjeravanje vašeg nivoa krvi i praćenje u aplikaciji poput Glucosia dvaput dnevno će vam pomoći da budete svjesni ishoda vaših izbora hrane i načina života. + Uradite A1c nalaz krvi da saznate prosjek vašeg šećera u krvi u zadnja 2 do 3 mjeseca. Vaš doktor bi vam trebao reći koliko često će ovaj test biti potrebno raditi. + Praćenje koliko ugljikohidrata konzumirate može biti podjednako važno kao provjeravanje nivoa u krvi jer ugljikohidrati utiču na nivo glukoze u krvi. Porazgovarajte s vašim doktorom ili dijetetičarom o unosu ugljikohidrata. + Kontrolisanje krvnog pritiska, holesterola i triglicerida je važno jer su dijebetičari podložni oboljenjima srca. + Postoji nekoliko pristupa prehrani da biste jeli zdravije te poboljšali vaše stanje dijabetesa. Tražite savjet dijetetičara šta bi bilo najdjelotvornije za vas i vaš budžet. + Redovna tjelovježba je posebno važna za ljude s dijabetesom jer vam pomaže da održite tjelesnu težinu. Porazgovarajte s vašim doktorom o vježbama koje su prikladne za vas. + Nedostatak sna vas može navesti da jedete više, pogotovo nezdrave hrane i tako negativno uticati na vaše zdravlje. Pobrinite se da se dobro naspavate i konsultujte se sa specijalistom za san ukoliko imate poteškoća. + Stres može imati negativan uticaj na dijabetes te stoga porazgovarajte s vašim doktorom ili drugim stručnim licem o suočavanju sa stresom. + Posjećivanje vašeg doktora jedanput godišnje i redovna komunikacija tokom godine je veoma važna za dijabetičare da bi spriječili iznenadnu pojavu povezanih zdravstvenih problema. + Vaše lijekove uzimajte kako su vam je doktor propisao, a čak i najmanji propust može uticati na nivo glukoze u vašoj krvi i uzrokovati druge nuspojave. Ukoliko imate problema da se sjetite uzeti lijek, obavezno o tome porazgovarajte sa doktorom. + + + Stariji dijabetičari mogu imati veći rizik za druge zdravstvene probleme povezane s dijabetesom. Porazgovarajte s vašim doktorom o tome kako vaša dob utiče na vaš dijabetes. + Ograničite količinu soli koju koristite za pripremanje hrane i koju dodajete u jela nakon što su skuhana. + + Asistent + AŽURIRAJ + OK, HVALA + POŠALJI POVRATNU INFORMACIJU + DODAJ OČITAVANJE + Ažurirajte vašu težinu + Pobrinite se da ažurirate vašu težinu kako bi Glucosio imao najtačnije informacije. + Ažurirajte vaše opt-in istraživanje + Uvijek možete opt-in ili opt-out dijeljenje istraživanja dijabetesa, ali zapamtite da su svi podijeljeni podaci anonimni. Dijelimo samo demografske i trendove nivoa glukoze. + Kreiraj kategorije + Glucosio dolazi sa izvornim kategorijama za unos glukoze ali vi u postavkama možete kreirati zasebne kategorije koje odgovaraju vašim potrebama. + Često provjerite ovdje + Glucosio asistent pruža redovne savjete i nastavit će se unapređivati, stoga često provjerite ovdje za korisne akcije koje možete poduzeti da poboljšanje svog Glucosio doživljaja te druge korisne savjete. + Pošalji povratne informacije + Ukoliko naiđete na tehničke probleme ili imate druge povratne informacije o Glucosiu, molimo vas da ih pošaljete putem menija za postavke kako bismo unaprijedili Glucosio. + Dodaj očitavanje + Pobrinite se da redovno dodajete svoja očitavanja glukoze kako bismo vam pomogli da pratite vaše nivoe glukoze tokom vremena. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-ca/google-playstore-strings.xml b/app/src/main/res/values-ca/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-ca/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-ca/strings.xml b/app/src/main/res/values-ca/strings.xml old mode 100755 new mode 100644 index 2fa846d3..c35923d9 --- a/app/src/main/res/values-ca/strings.xml +++ b/app/src/main/res/values-ca/strings.xml @@ -1,31 +1,136 @@ - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + Glucosio + Configuració + Envieu comentaris + Informació general + Historial + Consells + Hola. + Hola. + Condicions d\'ús. + He llegit i accepto les condicions d\'ús + Els continguts de l\'aplicació i pàgina web de Glucosio, tal com el text, gràfics, imatges, i altre material (\"Contingut\") són només amb finalitats informatives. El contingut no pretén ser un substitutiu pels consells, diagnòstics o tractaments mèdics professionals. Animem als usuaris de Glucosio a seguir sempre les recomanacions del seu metge o altre assistent sanitari amb qualsevol consulta que puguin tenir relacionada amb la seva condició mèdica. Mai s\'han de desatendre o retardar les recomanacions mèdiques per haver llegit alguna cosa a la pàgina web de Glucosio a a les nostres aplicacions. El lloc web, blog i wiki de Glucosio i altre contingut accessible des del navegador (\"Lloc web\") s\'hauria d\'utilitzar únicament amb la finalitat descrita anteriorment.\n La confiança dipositada en qualsevol informació proporcionada per Glucosio, els membres de l\'equip de Glucosio, voluntaris i altres que apareixen al lloc web o a les nostres aplicacions queda baix el seu propi risc. El lloc i el contingut es proporcionen sobre una base \"tal qual\". + Només necessitem unes quantes coses abans de començar. + País + Edat + Si us plau, introdueix una data vàlida. + Gènere + Home + Dona + Altre + Tipus de diabetis + Tipus 1 + Tipus 2 + Unitat preferida + Compartiu dades anònimes per a la recerca. + Podeu canviar-ho més tard a les preferències. + SEGÜENT + COMENÇA + Encara no hi ha informació disponible.\n Afegiu aquí la vostra primera lectura. + Afegeix nivell de glucosa a la sang + Concentració + Data + Hora + Mesurat + Abans de l\'esmorzar + Després de l\'esmorzar + Abans del dinar + Després del dinar + Abans del sopar + Després del sopar + General + Torna a comprovar + Nocturn + Altre + CANCEL·LA + AFEGEIX + Si us plau, introduïu un valor vàlid. + Si us plau, empleneu tots els camps. + Suprimeix + Edita + S\'ha suprimit 1 lectura + DESFÉS + Darrera verificació: + Tendència del més passat: + dins el rang i saludable + Mes + Dia + Setmana + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + En quant a + Versió + Condicions d\'ús + Tipus + Pes + Categoria de mesura personalitzada + + Mengeu més aliments frescos i sense processar per ajudar a reduir la ingesta de carbohidrats i sucre. + Llegiu l\'etiqueta nutricional a les begudes i aliments envasats per a controlar la ingesta de sucre i carbohidrats. + En sortir a menjar, demaneu per carn o peix cuinada sense oli o mantega extra. + En sortir a menjar, demaneu si tenen plats baixos en sodi. + En sortir a menjar, mengeu porcions semblants a les que prendríeu a casa i demaneu les sobres per emportar. + En sortir a menjar, demaneu per elements baixos en calories com el guarniment per a amanides, fins i tot si no estan al menú. + En sortir a menjar, demaneu per substitucions. Enlloc de patates fregides, demaneu una comanda adicional de vegetals com amanida, mongetes verdes o bròquil. + En sortir a menjar, comaneu aliments que no siguin arrebossats o fregits. + En sortir a menjar, demaneu que us serveixin per separat les salses i guarnicions. + Sense sucre no significa realment sense sucre. Significa 0,5 grams (g) de sucre per ració, així que aneu amb compte de no comptar massa amb els elements sense sucre. + Avançar cap a un pes saludable ajuda a controlar els nivell de sucre. El vostre doctor, nutricionista o entrenador pot ajudar-vos en un pla que funcioni per a vosaltres. + Comprovar el vostre nivell de sang i fer-ne el seguiment amb una aplicació com Glucosio dues vegades diàries us ajudarà a tenir en compte els resultats de les eleccions de menjar i de l\'estil de vida. + Aconseguiu anàlisi de sang del tipus A1c per esbrinar la vostra mitja de sucre a la sang pels darrers 2 a 3 mesos. El vostre doctor us hauria d\'informar sobre la freqüència en que aquests anàlisi s\'han de realitzar. + Fer el seguiment de la quantitat de carbohidrats que consumiu pot ser tan important com comprovar els nivells de sang, ja que els carbohidrats influeixen sobre els nivells de glucosa. Xerreu amb els vostre doctor o nutricionista sobre la ingesta de carbohidrats. + És important controlar la pressió de la sang, el colesterol i el nivell de triglicèrids ja que els diabètics tenen tendència a malalties cardíaques. + Podeu avaluar diferents enfocaments cap a la vostra dieta per menjar més sa i ajudar a millorar els resultats de la diabetis. Demaneu consell al vostre nutricionista sobre el que pot anar millor per a vosaltres i el vostre pressupost. + Treballar en fer exercici regularment és especialment important amb la gent amb diabetis i pot ajudar a mantenir un pes saludable. Xerreu amb el vostre doctor sobre les exercicis que són apropiats per a vosaltres. + La falta de son us pot fer menjar més, especialment menjar escombraria i el resultat pot impactar negativament a la vostra salut. Assegurau-vos de dormir bé i consulteu un especialista de la son si teniu dificultats. + L\'estrès pot impactar negativament en la diabetis, xerreu amb el vostre doctor o especialista sobre fer front a l\'estrès. + Visitar el vostre doctor anualment i tenir una comunicació habitual durant l\'any és important per prevenir cap canvi sobtat en la salut dels diabètics. + Preneu els vostres medicaments seguint la prescripció del vostre doctor, fins i tot petits lapses poden afectar al vostre nivell de glucosa a la sang i causar altres efectes secundaris. Si teniu dificultats de memòria demaneu al vostre doctor per gestió de medicació i opcions de recordatoris. + + + Els diabètics grans poden tenir un risc major de problemes de salut associats amb la diabetis. Consulteu amb el vostre doctor sobre l\'efecte de l\'edat en la vostra diabetis i quines coses s\'han de tenir en compte. + Limiteu la quantitat de sal que utilitzeu per cuinar i la que afegiu a aliments ja cuinats. + + Assistent + ACTUALITZA ARA + D\'ACORD, HO ENTENC + ENVIA COMENTARIS + AFEGEIX LECTURA + Actualitzeu el vostre pes + Assegureu-vos d\'actualitzar el vostre pes per tal que Glucosio disposi de l\'informació més precisa. + Opció d\'actualització de la recerca + Sempre podeu triar entre optar o no per la compartició de la recerca de la diabetis, però recordeu que totes les dades es comparteixen de manera completament anònima. Només es comparteix la demografia i les tendències de nivell de glucosa. + Crea categories + El Glucosio ve amb categories predeterminades per entrada de glucosa però podeu crear categories personalitzades dins la configuració per ajustar-ho a les vostres necessitats particulars. + Comprova sovint aquí + L\'assistent de Glucosio proporciona consells regulars i continuarà millorant, així que comproveu sempre aquí els passos que podeu prendre per millorar l\'experiència de Glucosio i altres consells útils. + Envia comentari + Si trobeu incidències tècniques o teniu comentaris sobre Glucosio us animem a enviar-ho des del menú de configuració per tal d\'ajudar-nos a millorar Glucosio. + Afegeix una lectura + Assegureu-vos d\'afegir regularment les vostres lectures de glucosa per tal que puguem ajudar-vos a fer un seguiment dels vostres nivells de glucosa al llarg del temps. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Rang preferit + Rang personalitzat + Valor mínim + Valor màxim + PROVEU-HO ARA diff --git a/app/src/main/res/values-ce/google-playstore-strings.xml b/app/src/main/res/values-ce/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-ce/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-ce/strings.xml b/app/src/main/res/values-ce/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-ce/strings.xml +++ b/app/src/main/res/values-ce/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-ceb/google-playstore-strings.xml b/app/src/main/res/values-ceb/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-ceb/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-ceb/strings.xml b/app/src/main/res/values-ceb/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-ceb/strings.xml +++ b/app/src/main/res/values-ceb/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-ch/google-playstore-strings.xml b/app/src/main/res/values-ch/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-ch/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-ch/strings.xml b/app/src/main/res/values-ch/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-ch/strings.xml +++ b/app/src/main/res/values-ch/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-chr/google-playstore-strings.xml b/app/src/main/res/values-chr/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-chr/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-chr/strings.xml b/app/src/main/res/values-chr/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-chr/strings.xml +++ b/app/src/main/res/values-chr/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-ckb/google-playstore-strings.xml b/app/src/main/res/values-ckb/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-ckb/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-ckb/strings.xml b/app/src/main/res/values-ckb/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-ckb/strings.xml +++ b/app/src/main/res/values-ckb/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-co/google-playstore-strings.xml b/app/src/main/res/values-co/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-co/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-co/strings.xml b/app/src/main/res/values-co/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-co/strings.xml +++ b/app/src/main/res/values-co/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-cr/google-playstore-strings.xml b/app/src/main/res/values-cr/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-cr/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-cr/strings.xml b/app/src/main/res/values-cr/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-cr/strings.xml +++ b/app/src/main/res/values-cr/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-crs/google-playstore-strings.xml b/app/src/main/res/values-crs/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-crs/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-crs/strings.xml b/app/src/main/res/values-crs/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-crs/strings.xml +++ b/app/src/main/res/values-crs/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-cs/google-playstore-strings.xml b/app/src/main/res/values-cs/google-playstore-strings.xml new file mode 100644 index 00000000..46c1539a --- /dev/null +++ b/app/src/main/res/values-cs/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Jakékoliv chyby, problémy nebo požadavky nám oznamujte na: + https://github.com/glucosio/android + Další informace: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-cs/strings.xml b/app/src/main/res/values-cs/strings.xml old mode 100755 new mode 100644 index 7a0d374f..e1095a5e --- a/app/src/main/res/values-cs/strings.xml +++ b/app/src/main/res/values-cs/strings.xml @@ -1,13 +1,19 @@ + Glucosio Možnosti + Odeslat zpětnou vazbu Přehled Historie Tipy Ahoj. Ahoj. - Upřednostňovaný jazyk + Podmínky užívání. + Přečetl jsem si a souhlasím s výše uvedenými Podmínkami užívání + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + Ještě než začneme, chtěli bychom vědět pár věcí. + Země Věk Zadejte, prosím, platný věk. Pohlaví @@ -18,8 +24,11 @@ Typ 1 Typ 2 Preferovaná jednotka - ZAČÍNÁME - Nejsou k dispozici žádná data. \n Přidejte vaše první data zde. + Sdílet anonymní data pro výzkum. + Tato nastavení můžete později změnit v kartě nastavení. + DALŠÍ + ZAČÍNÁME + Zatím nejsou k dispozici žádné informace. \n Přidejte zde váš první záznam. Přidat hladinu glukózy v krvi Koncentrace Datum @@ -31,40 +40,97 @@ Po obědě Před večeří Po večeři + Obecné + Znovu zkontrolovat + Noc + Ostatní ZRUŠIT PŘIDAT + Prosím, zadejte platnou hodnotu. Vyplňte, prosím, všechna pole. Odstranit Upravit odstraněn 1 záznam ZPĚT Poslední kontrola: - Tip - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Trend za poslední měsíc: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + O programu + Verze + Podmínky užívání + Typ + Váha + Vlastní kategorie měření + + Jezte více čerstvých, nezpracovaných potravin, pomůžete tak snížit příjem sacharidů a cukrů. + Přečtěte nutriční hodnoty na balených potravinách a nápojích pro kontrolu příjmu sacharidů a cukrů. + Při stravování mimo domov žádejte o ryby nebo maso pečené bez přidaného másla nebo oleje. + Při stravování mimo domov se zeptejte, zda podávají jídla s nízkým obsahem sodíku. + Při stravování mimo domov jezte stejně velké porce, jako byste jedli doma, zbytky si vezměte s sebou. + Při stravování mimo domov požádejte o nízkokalorická jídla, například salátové dresinky, i v případě, že nejsou v nabídce. + Při stravování mimo domov žádejte o náhrady. Místo hranolků požádejte dvojitou porci zeleniny, jako je salát, zelené fazolky nebo brokolice. + Při stravování mimo domov si objednávejte jídla, která nejsou obalovaná nebo smažená. + Při stravování mimo domov požádejte o omáčky a salátové dresinky \"bokem.\" + \"Bez cukru\" opravdu neznamená bez cukru. To znamená 0,5 gramů (g) cukru na jednu porci, dejte si tedy pozor, abyste nekonzumovali tolik jídel \"bez cukru\". + Zdravá tělesná váha pomáhá držet krevní cukr pod kontrolou. Váš lékař, dietolog nebo fitness trenér vám může pomoci vytvořit plán, který vám s udržením nebo snížením tělesné váhy pomůže. + Kontrola a sledování hladiny krevního tlaku dvakrát denně v aplikaci jako je Glucosio vám pomůže znát výsledky z volby stravování a životního stylu. Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Kontroly krevního tlaku, hladiny cholesterolu a hladiny triglyceridů, jsou důležité, neboť diabetici jsou náchylní k srdečním onemocněním. + Existuje několik typů diet, které můžete zvolit proto, abyste jedli zdravě a zároveň zlepšili výsledky cukrovky. Vyhledejte dietologa pro radu o nejvhodnější dietě pro vás a váš rozpočet. + Pravidelné cvičení je důležité zejména pro lidi trpící cukrovkou a může pomoci udržet si zdravou váhu. Poraďte se se svým lékařem o tom, která cvičení pro vás mohou být vhodná. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stres může mít na cukrovku negativní dopad, zvládání stresu můžete konzultovat s Vaším lékařem nebo jiným specialistou. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + + Starší diabetici mohou být více náchylní k onemocněním spojeným s cukrovkou. Konzultujte s vaším doktorem, jak velkou hraje váš věk roli s cukrovkou a na co si dát pozor. + Omezte množství soli, kterou používáte při vaření, a kterou přidáváte do jídel poté, co se jídla uvařila. + + Asistent + AKTUALIZOVAT NYNÍ + OK, ROZUMÍM + ODESLAT ZPĚTNOU VAZBU + PŘIDAT MĚŘENÍ + Aktualizujte vaši hmotnost + Ujistěte se, aby byla vaše váha vždy aktuální tak, aby mělo Glucosio co nejpřesnější informace. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Vytvořit kategorie + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Kontrolujte často + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Odeslat zpětnou vazbu + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Přidat měření + Ujistěte se, aby jste pravidelně přidávali hodnoty hladiny glykémie tak, abychom vám mohli pomoci průběžně sledovat hladiny glukózy. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Upřednostňovaný rozsah + Vlastní rozsah + Minimální hodnota + Nejvyšší hodnota + TRY IT NOW diff --git a/app/src/main/res/values-csb/google-playstore-strings.xml b/app/src/main/res/values-csb/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-csb/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-csb/strings.xml b/app/src/main/res/values-csb/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-csb/strings.xml +++ b/app/src/main/res/values-csb/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-cv/google-playstore-strings.xml b/app/src/main/res/values-cv/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-cv/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-cv/strings.xml b/app/src/main/res/values-cv/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-cv/strings.xml +++ b/app/src/main/res/values-cv/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-cy/google-playstore-strings.xml b/app/src/main/res/values-cy/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-cy/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-cy/strings.xml b/app/src/main/res/values-cy/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-cy/strings.xml +++ b/app/src/main/res/values-cy/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-da/google-playstore-strings.xml b/app/src/main/res/values-da/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-da/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-da/strings.xml b/app/src/main/res/values-da/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-da/strings.xml +++ b/app/src/main/res/values-da/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-de/google-playstore-strings.xml b/app/src/main/res/values-de/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-de/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-de/strings.xml b/app/src/main/res/values-de/strings.xml old mode 100755 new mode 100644 index 5d75aa5e..a24053ae --- a/app/src/main/res/values-de/strings.xml +++ b/app/src/main/res/values-de/strings.xml @@ -1,14 +1,19 @@ + Glucosio Einstellungen + Send feedback Übersicht Verlauf Tipps Hallo. Hallo. + Nutzungsbedingungen. + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. Wir brauchen nur noch einige Dinge bevor Sie loslegen können. - Bevorzugte Sprache + Land Alter Bitte geben Sie ein gültiges Alter ein. Geschlecht @@ -21,8 +26,9 @@ Bevorzugte Einheit Anonyme Daten für die Forschung teilen. Sie können dies später in den Einstellungen ändern. - ERSTE SCHRITTE - Keine Daten verfügbar. \n Fügen Sie Ihren ersten Messwert hinzu. + NÄCHSTE + LOSLEGEN + No info available yet. \n Add your first reading here. Blutzuckerspiegel hinzufügen Konzentration Datum @@ -34,8 +40,13 @@ Nach dem Mittagessen Vor dem Abendessen Nach dem Abendessen + Allgemein + Recheck + Nacht + Other ABBRECHEN HINZUFÜGEN + Please enter a valid value. Bitte alle Felder ausfüllen. Löschen Bearbeiten @@ -44,17 +55,30 @@ Zuletzt geprüft: Trend in letzten Monat: im normalen Bereich und gesund - Tipp - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + Über + Version + Nutzungsbedingungen + Typ + Weight + Custom measurement category + + Essen Sie mehr frische, unverarbeitete Lebensmittel um Aufnahme von Kohlenhydraten und Zucker zu reduzieren. + Lesen Sie das ernährungsphysiologische Etikett auf verpackten Lebensmitteln und Getränken, um Zucker- und Kohlenhydrataufnahme zu kontrollieren. When eating out, ask for fish or meat broiled with no extra butter or oil. When eating out, ask if they have low sodium dishes. When eating out, eat the same portion sizes you would at home and take the leftovers to go. When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -64,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-dsb/google-playstore-strings.xml b/app/src/main/res/values-dsb/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-dsb/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-dsb/strings.xml b/app/src/main/res/values-dsb/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-dsb/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-dv/google-playstore-strings.xml b/app/src/main/res/values-dv/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-dv/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-dv/strings.xml b/app/src/main/res/values-dv/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-dv/strings.xml +++ b/app/src/main/res/values-dv/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-dz/google-playstore-strings.xml b/app/src/main/res/values-dz/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-dz/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-dz/strings.xml b/app/src/main/res/values-dz/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-dz/strings.xml +++ b/app/src/main/res/values-dz/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-ee/google-playstore-strings.xml b/app/src/main/res/values-ee/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-ee/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-ee/strings.xml b/app/src/main/res/values-ee/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-ee/strings.xml +++ b/app/src/main/res/values-ee/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-el/google-playstore-strings.xml b/app/src/main/res/values-el/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-el/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-el/strings.xml b/app/src/main/res/values-el/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-el/strings.xml +++ b/app/src/main/res/values-el/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-en/google-playstore-strings.xml b/app/src/main/res/values-en/google-playstore-strings.xml new file mode 100644 index 00000000..f16c1cfc --- /dev/null +++ b/app/src/main/res/values-en/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose tends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-en/strings.xml b/app/src/main/res/values-en/strings.xml old mode 100755 new mode 100644 index 51970f12..f0c000de --- a/app/src/main/res/values-en/strings.xml +++ b/app/src/main/res/values-en/strings.xml @@ -1,14 +1,19 @@ + Glucosio Settings + Send feedback Overview History Tips Hello. Hello. + Terms of Use. + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. We just need a few quick things before getting you started. - Preferred language + Country Age Please enter a valid age. Gender @@ -21,7 +26,8 @@ Preferred unit Share anonymous data for research. You can change these in settings later. - GET STARTED + NEXT + GET STARTED No info available yet. \n Add your first reading here. Add Blood Glucose Level Concentration @@ -37,8 +43,10 @@ General Recheck Night + Other CANCEL ADD + Please enter a valid value. Please fill all the fields. Delete Edit @@ -47,8 +55,21 @@ Last check: Trend over past month: in range and healthy - Tip - + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -57,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -70,9 +91,46 @@ Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-eo/google-playstore-strings.xml b/app/src/main/res/values-eo/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-eo/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-eo/strings.xml b/app/src/main/res/values-eo/strings.xml old mode 100755 new mode 100644 index 2fa846d3..7e79c13b --- a/app/src/main/res/values-eo/strings.xml +++ b/app/src/main/res/values-eo/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Agordoj + Sendi rimarkon + Superrigardo + Historio + Konsiletoj + Saluton. + Saluton. + Kondiĉoj de uzado. + Mi legis kaj konsentas la kondiĉoj de uzado + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Lando + Aĝo + Please enter a valid age. + Sekso + Vira + Ina + Alia + Diabettipo + Tipo 1 + Tipo 2 + Preferata unuo + Share anonymous data for research. + You can change these in settings later. + SEKVA + KOMENCIĜI + No info available yet. \n Add your first reading here. + Aldoni sangoglukozonivelon + Koncentriteco + Dato + Tempo + Mezurita + Antaŭ matenmanĝo + Post matenmanĝo + Antaŭ tagmanĝo + Post tagmanĝo + Antaŭ vespermanĝo + Post vespermanĝo + Ĝenerala + Rekontroli + Nokto + Alia + NULIGI + ALDONI + Please enter a valid value. + Please fill all the fields. + Forigi + Redakti + 1 legado forigita + MALFARI + Lasta kontrolo: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + Pri + Versio + Kondiĉoj de uzado + Tipo + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Asistanto + ĜISDATIGI NUN + OK, GOT IT + Sendi rimarkon + ALDONI LEGADON + Ĝisdatigi vian pezon + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Krei kategoriojn + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Sendi rimarkon + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Aldoni legadon + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-es/google-playstore-strings.xml b/app/src/main/res/values-es/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-es/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-es/strings.xml b/app/src/main/res/values-es/strings.xml new file mode 100644 index 00000000..e582d604 --- /dev/null +++ b/app/src/main/res/values-es/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Configuración + Enviar comentarios + Información general + Historial + Consejos + Hola. + Hola. + Términos de Uso. + He leído y acepto los términos de uso + El contenido de la página web de Glucosio y sus aplicaciones, tales como el texto, los gráficos, las imágenes y otros materiales (\"contenido\"), son sólo para los fines informativos. El contenido no intenta ser un sustituto de los consejos, diagnósticos o tratamientos de los médicos profesionales. Animamos a los usuarios de Glucosio a que siempre busquen el asesoramiento de un médico u otro proveedor de salud calificado con cualquier pregunta que puedan tener sobre una condición médica. Nunca ignore los consejos médicos profesionales o retrasa en buscar el consejo debido a algo que ha leído en la Página Web de Glucosio o en nuestras aplicaciones. La Página Web, el Blog, el Wiki y otro contenido accesible por el navegador web (los sitios web) de Glucosio, deben ser utilizados únicamente para el propósito descrito. \n Confianza en cualquier información proporcionada por Glucosio, miembros del equipo de Glucosio, voluntarios u otros que aparecen en el sitio web o en nuestras aplicaciones es exclusivamente bajo su propio riesgo. El Sitio y el Contenido se proporcionan sobre una base \"tal cual\". + Solo necesitamos un par de cosas antes comenzar. + País + Edad + Por favor ingresa una edad válida. + Sexo + Masculino + Femenino + Otro + Tipo de diabetes + Tipo 1 + Tipo 2 + Unidad preferida + Comparte los datos de manera anónima para la investigación. + Puedes cambiar la configuración más tarde. + SIGUIENTE + EMPEZAR + No hay información disponible todavía. \n Añadir tu primera lectura aquí. + Añade el nivel de glucosa en la sangre + Concentración + Fecha + Hora + Medido + Antes del desayuno + Después del desayuno + Antes de la comida + Después de la comida + Antes de la cena + Después de la cena + Ajustes generales + Vuelva a revisar + Noche + Información adicional + Cancelar + Añadir + Por favor, ingrese un valor válido. + Por favor, rellena todos los campos. + Eliminar + Editar + 1 lectura eliminada + Deshacer + Última revisión: + Tendencia en el último mes: + en el rango y saludable + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + Sobre la aplicación + Versión + Condiciones de uso + Tipo + Weight + Custom measurement category + + Comer más alimentos frescos y no transformados para ayudar a reducir el consumo de carbohidratos y azúcar. + Lea las etiquetas nutricionales en los alimentos envasados y las bebidas para controlar el consumo de azúcar y carbohidratos. + Cuando coma fuera, pida pescado o carne a la parilla sin mantequilla ni aceite agregado. + Cuando coma fuera, pregunte si se ofrecen platos bajos en sodio. + Cuando coma fuera, coma porciones del mismo tamaño que se acostumbra comer en casa y llévese las sobras consigo. + Cuando coma fuera, pida comidas bajas en calorías, como los aderezos para ensaladas, aun si no salen en el menú. + Cuando coma fuera, pida sustituciones. En lugar de papas fritas, pida una orden doble de una verdura como la ensalada, las judías verdes o el brócoli. + Cuando coma fuera, pida comidas que no sean apanadas ni fritas. + Cuando coma fuera de casa, pida salsas y aderezos \"al lado.\" + Sin azúcar no realmente significa sin azúcar. Significa 0,5 gramos (g) de azúcar por porción, así que tenga cuidado para no comer demasiados artículos sin azucar. + Moverse hacia un peso saludable ayuda a control azúcar en la sangre. Su médico, una nutricionista y un entrenador físico pueden ayudarle a empezar en un plan que funcione para usted. + La verificación del nivel de sangre y el seguimiento del nivel en una aplicación como Glucosio dos veces al día le ayudará a ser consciente de los resultados de las opciones de comida y estilo de vida. + Obtenga un análisis de sangre A1c para averiguar su nivel de azúcar promedio durante los últimos 2 a 3 meses. Su médico debe decirle con qué frecuencia esta prueba será necesaria hacer. + Seguimiento de la cantidad de carbohidratos que consume puede ser tan importante como comprobar los niveles de sangre ya que los carbohidratos influyen los niveles de glucosa. Hable con su médico o dietista sobre el consumo de carbohidratos. + Controlar la presión arterial, el colesterol y los niveles de triglicéridos es importante porque los diabéticos son susceptibles a la enfermedad cardíaca. + Existen varios enfoques dietéticos que usted puede tomar para comer más sano y mejorar los resultados de su diabetes. Busque consejos de un dietista sobre lo que funcionaría mejor para usted y su presupuesto. + Es especialmente importante para los con diabetes que se esfuercen por hacer ejercicio regularmente, lo que puede ayudarles a mantener un peso saludable. Hable con su doctor para ver cuales ejercicios son adecuados para usted. + La privación de sueño puede llevarse a comer más comida chatarra, y como resultado, puede impactar su salud negativamente. Asegúrese de dormir bien y consulte a un especialista del sueño si le dificulta dormir. + El estrés puede tener un impacto negativo en los con diabetes. Hable con su doctor u otro profesional de salud de cómo manejar el estrés. + El visitar su doctor una vez al año y tener una comunicación durante el año entero es importante para los diabéticos para prevenir cualquier comienzo repentino de problemas de salud asociados. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limite la cantidad de sal que usa para cocinar y para salar las comidas después de cocinarlas. + + Asistente + ACTUALIZAR AHORA + OK, LO CONSIGUIÓ + SUBMIT FEEDBACK + ADD READING + Actualizar su peso + Asegúrese de actualizar su peso para que Glucosio tenga la información más precisa. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Crear categorías + Glucosio tiene categorías predeterminadas para la entrada de glucosa, pero puede crear categorías personalizadas en la configuración para que coincida con sus necesidades particulares. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Asegúrese de añadir regularmente sus lecturas de glucosa para que podamos ayudarle a seguir sus niveles de glucosa a lo largo del tiempo. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-et/google-playstore-strings.xml b/app/src/main/res/values-et/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-et/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-et/strings.xml b/app/src/main/res/values-et/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-et/strings.xml +++ b/app/src/main/res/values-et/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-eu/google-playstore-strings.xml b/app/src/main/res/values-eu/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-eu/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-eu/strings.xml b/app/src/main/res/values-eu/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-eu/strings.xml +++ b/app/src/main/res/values-eu/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-fa/google-playstore-strings.xml b/app/src/main/res/values-fa/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-fa/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-fa/strings.xml b/app/src/main/res/values-fa/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-fa/strings.xml +++ b/app/src/main/res/values-fa/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-ff/google-playstore-strings.xml b/app/src/main/res/values-ff/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-ff/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-ff/strings.xml b/app/src/main/res/values-ff/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-ff/strings.xml +++ b/app/src/main/res/values-ff/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-fi/google-playstore-strings.xml b/app/src/main/res/values-fi/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-fi/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-fi/strings.xml b/app/src/main/res/values-fi/strings.xml old mode 100755 new mode 100644 index 9e31a140..65ba0ab4 --- a/app/src/main/res/values-fi/strings.xml +++ b/app/src/main/res/values-fi/strings.xml @@ -1,14 +1,19 @@ + Glucosio Asetukset + Anna palautetta Yhteenveto Historia Vinkit Hei. Hei. + Käyttöehdot. + Olen lukenut ja hyväksyn käyttöehdot + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. Käydään läpi muutama asia ennen käytön aloittamista. - Kieli + Maa Ikä Anna kelvollinen ikä. Sukupuoli @@ -21,8 +26,9 @@ Yksikkö Jaa tietoja nimettömästi tutkimustarkoituksiin. Voit muuttaa näitä myöhemmin asetuksista. - ALOITA - Tietoja ei saatavilla. \n Lisää ensimmäinen tietosi tähän. + SEURAAVA + ALOITA + Tietoa ei ole vielä saatavilla. \n Lisää ensimmäinen lukemasi tähän. Lisää verensokeritaso Pitoisuus Päivä @@ -34,8 +40,13 @@ Lounaan jälkeen Ennen illallista Illallisen jälkeen + General + Recheck + Night + Other PERUUTA LISÄÄ + Please enter a valid value. Täytä kaikki kentät. Poista Muokkaa @@ -44,8 +55,21 @@ Viimeisin tarkistus: Kehitys viime kuukauden aikana: rajoissa ja terve - Vinkki - + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + Tietoa + Versio + Käyttöehdot + Tyyppi + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -54,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -64,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + LISÄÄ LUKEMA + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Lisää lukema + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-fil/google-playstore-strings.xml b/app/src/main/res/values-fil/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-fil/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-fil/strings.xml b/app/src/main/res/values-fil/strings.xml old mode 100755 new mode 100644 index 2fa846d3..eaf5f29a --- a/app/src/main/res/values-fil/strings.xml +++ b/app/src/main/res/values-fil/strings.xml @@ -1,31 +1,136 @@ - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + Glucosio + Mga Setting + Magpadala ng feedback + Overview + Kasaysayan + Mga Tip + Mabuhay. + Mabuhay. + Terms of Use. + Nabasa ko at tinatanggap ang Terms of Use + Ang mga nilalaman ng Glucosio website at apps, lahat ng mga teksto, larawan, imahen at iba pang materyal (\"Content\") ay inilathala para sa impormasyon lamang. Ang mga nasabing nilalaman at hindi maaring gamit sa pangpropesyunal na payong pangmedikal, pagsusuri o kagamutan. Lahat ng gumagamit ng Glucosio ay hinihikayat na magpasuri sa mga doktor o mga tagapayong pangkalusugan sa anumang katanungan hingil sa inyong sakit.\n Walang pananagutan ang Glucosio team, volunteers at mga nilalaman sa aming website sa paggamit ng aming produkto. + Kinakailangan namin ang ilang mga bagay bago tayo makapagsimula. + Bansa + Edad + Paki-enter ang tamang edad. + Kasarian + Lalaki + Babae + Iba + Uri ng diabetes + Type 1 + Type 2 + Nais na unit + Ibahagi ang anonymous data para sa pagsasaliksik. + Maaari mong palitan ang mga settings na ito mamaya. + SUSUNOD + MAGSIMULA + Walang impormasyon na nakatala. \n Magdagdag ng iyong unang reading dito. + Idagdag ang Blood Glucose Level + Konsentrasyon + Petsa + Oras + Sukat + Bago mag-agahan + Pagkatapos ng agahan + Bago magtanghalian + Pagkatapos ng tanghalian + Bago magdinner + Pagkatapos magdinner + Pangkabuuan + Suriin muli + Gabi + Iba pa + KANSELAHIN + IDAGDAG + Mag-enter ng tamang value. + Paki-punan ang lahat ng mga fields. + Burahin + I-edit + Binura ang 1 reading + I-UNDO + Huling pagsusuri: + Trend sa nakalipas na buwan: + nasa tamang sukat at ikaw ay malusog + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + Tungkol sa + Bersyon + Terms of use + Uri + Weight + Custom na kategorya para sa mga sukat + + Kumain ng mga sariwa at hindi processed na mga pagkain para makaiwas sa carbohydrate at asukal. + Basahing mabuti ang nutritional label sa mga packaged food at beverages para makontrol ang lebel ng asukal at carbohydrate sa kinakain. + Kung kakain sa labas, kumain ng isda o nilagang karne na walang mantikilya o mantika. + Kapag kumakain sa labas, kumuha ng mga low sodium na pagkain. + Kung kakain sa labas, siguraduhing ang dami ng iyong kakainin ay katulad lamang ng pagkain mo kung ikaw ay nasa bahay at huwag mag-uuwi ng mga tira. + Kung kakain sa labas, kumuha ng mga pagkaing mababa sa calorie, tulad ng salad dressings, kahit na ang mga ito ay wala sa menu. + Kung kakain sa labas, magtanong ng mga substitutions. Halimbawa, sa halip na kumain ng French Fries, kumuha ng dalawang order ng gulay tulad ng salad, green beans at repolyo. + Kung kakain sa labas, kumuha ng pagkaing hindi breaded or pinirito. + Kung kakain sa labas, humingi ng mga sauce, gravy at salad dressings bilang pang-ulam. + Hindi ibig sabihin na kapag ang isang bagay ay sugar free, wala na itong asukal. Ang ibig nitong sabihin ay mayroon lamang ito na 0.5 grams (g) ng asukal sa bawat serving, kaya mag-ingat at kumain lamang ng tamang pagkain na nagsasabing sila ay sugar free. + Ang pagkakaroon ng tamang timbang at nakatutulong sa pagkontrol ng blood sugar. Alamin ang tamang pamamaraan mula sa inyong doktor. + Ang pagsusuri ng iyong blood level at pagtatala nito sa app na katulad ng Glucosio dalawang beses sa isang araw ay makatutulong para magkaron ng mabuting pagpili sa mga kinakain at pamumuhay. + Magpakuha ng A1c blood test para malaman ang iyong blood sugar average sa nagdaang 2 hanggang 3 buwan. Sasabihin sa iyo ng iyong doktok kung gaano kadalas mo dapat ginawa ang ganitong pagsusuri. + Ang pagtatala kung ilang carbohydrates ang nasa iyong pagkain ay kasing halaga ng pagsusuri ng iyong blood levels, dahil ito ay nakaaapekto sa bawat isa. Kausapin ang iyong manggagamot para sa nararapat ng carbohydrate intake. + Ang pag-control ng iyong blood pressure, cholesterol at triglyceride levels ay mahalaga dahil ang mga diabetiko ay mas malaki ang tsansang magkasakit sa puso. + May iba\'t-ibang pamamaraan sa pagdidiyeta para makatulong na ikaw ay maging malusog at makontrol ang iyong diabetes. Kumunsulta sa isang dietician para malaman kung ano ang pinakamabuting pamamaraan ng pagdidiyeta na pasok sa iyong budget. + Ang palagiang pag-eehersisyo ay mahalaga sa mga diabetiko para mapanatili ang tamang timbang. Kumunsulta sa inyong doktor para malaman ang tamang ehersisyo sa iyo. + Kung kulang ka sa tulog, ito ay magiging sanhi para ikaw ay kumain nang mas marami at kumain ng mga junk foods na hindi maganda sa iyong kalusugan. Siguraduhing may sapat na oras ng tulog sa gabi. Sumangguni sa espesyalista kung kinakailangan. + May malaking epekto ang stress sa mga diabetiko. Kumunsulta sa inyong doktor para malaman kung paano malalabanan ang stress. + Ang pagbisita sa iyong doktor at palagiang kuminikasyon sa kaniya sa loob ng buong taon ay mahalaga para sa mga may diabetes para maiwasan ang paglubha ng iyong sakit. + Palagiang uminom ng gamot base sa payo ng inyong doktor. Ang pagliban sa pag-inom ng gamot ay may malaking epekto sa iyong blood glucose level. Kumunsulta sa inyong doktor para malaman ang pinakaepektibong pamamaraan na hindi mo malilimutang uminom ng gamot sa oras. + + + May epekto ang edad ng isang diabetiko. Kumunsulta sa inyong doktor para malaman kung anu-ano ang dapat gawin ng isang diabetikong may edad na. + Siguraduhing kakaunti lamang ang asin sa pagkaing niluluto o ang paggamit nito habang kumakain. + + Assistant + I-UPDATE NGAYON + OK + I-SUBMIT ANG FEEDBACK + MAGDAGDAG NG READING + I-update ang iyong timbang + Siguraduhing tama ang iyong timbang para makapagbigay ng mas angkop na impormasyon ang Glucosio. + I-update ang iyong research opt-in + Maaari kang hindi mapabilang sa aming diabetes research sharing kung iyong nanaisin. Lahat ng impormasyon na aming nilalagap ay anonymous at hinding-hindi namin ito ipamimigay kanino man. + Gumawa ng mga kategorya + Ang Glucosio ay mga kategoryang kalakip para sa glucose input, ngunit maaari kang gumawa ng sarili mong kategorya kung nanaisin. + Pumunta dito ng madalas + Nagbibigay ang Glucosio assistant ng mga payo kung paano gaganda ang iyong kalusugan at kung paano mo makukuha ang benepisyo ng paggamit ng Glucosio. + I-submit ang feedback + Kung may mga katanungang pangteknikal or may mga puna at suhesyon para sa Glucosio, pumunta sa settings menu. + Magdagdag ng reading + Siguraduhing palaging magdagdag ng iyong glucose readings para ikaw matulungan naming i-track ang iyong glucose levels. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-fj/google-playstore-strings.xml b/app/src/main/res/values-fj/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-fj/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-fj/strings.xml b/app/src/main/res/values-fj/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-fj/strings.xml +++ b/app/src/main/res/values-fj/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-fo/google-playstore-strings.xml b/app/src/main/res/values-fo/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-fo/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-fo/strings.xml b/app/src/main/res/values-fo/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-fo/strings.xml +++ b/app/src/main/res/values-fo/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-fr/google-playstore-strings.xml b/app/src/main/res/values-fr/google-playstore-strings.xml new file mode 100644 index 00000000..74003943 --- /dev/null +++ b/app/src/main/res/values-fr/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + En utilisant Glucosio, vous pouvez entrer et suivre la glycémie, anonymement soutenir recherche sur le diabète en contribuant des tendances démographiques et rendues anonymes du glucose et obtenir des conseils utiles par le biais de notre assistant. Glucosio respecte votre vie privée et vous êtes toujours en contrôle de vos données. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Veuillez déposer les bogues, problèmes ou demandes de fonctionnalité à : + https://github.com/glucosio/android + En savoir plus: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-fr/strings.xml b/app/src/main/res/values-fr/strings.xml old mode 100755 new mode 100644 index f34d116d..a49a17ec --- a/app/src/main/res/values-fr/strings.xml +++ b/app/src/main/res/values-fr/strings.xml @@ -3,42 +3,32 @@ Glucosio Réglages + Envoyez vos commentaires Aperçu Historique Astuces Bonjour. Bonjour. + Conditions d\'utilisation. + J\'ai lu et accepté les conditions d\'utilisation + Le contenu du site Web Glucosio et applications, tels que textes, graphiques, images et autre matériel (\"contenu\") est à titre informatif seulement. Le contenu ne vise pas à se substituer à un avis médical professionnel, diagnostic ou traitement. Nous encourageons les utilisateurs de Glucosio de toujours demander l\'avis de votre médecin ou un autre fournisseur de santé qualifié pour toute question que vous pourriez avoir concernant un trouble médical. Ne jamais ignorer un avis médical professionnel ou tarder à le chercher parce que vous avez lu sur le site Glucosio ou dans nos applications. Le site Glucosio, Blog, Wiki et autres contenus accessibles du navigateur web (« site Web ») devraient être utilisés qu\'aux fins décrites ci-dessus. \n Reliance sur tout renseignement fourni par Glucosio, membres de l\'équipe Glucosio, bénévoles et autres apparaissant sur le site ou dans nos applications est exclusivement à vos propres risques. Le Site et son contenu sont fournis sur une base \"tel quel\". Avant de démarrer, nous avons besoin de quelques renseignements. - Langue préférée - - Anglais (É-U) - Spanish - German - French - Italian - Hindi - Albanian - Romanian - + Pays Âge Veuillez saisir un âge valide. Sexe Homme Femme Autre - - Homme - Femme - Autre - Type de diabète Type 1 Type 2 Unité préférée Partager des données anonymes pour la recherche. Vous pouvez modifier ces réglages plus tard. - DÉMARRER - Aucune donnée disponible. \n Saisissez votre première mesure ici. + SUIVANT + COMMENCER + Aucune info disponible encore. \n ajouter votre première lecture ici. Saisir le niveau de glycémie Concentration Date @@ -50,8 +40,13 @@ Après le déjeuner Avant le dîner Après le dîner + Général + Revérifier + Nuit + Autre ANNULER AJOUTER + Merci d\'entrer une valeur valide. Veuillez saisir tous les champs. Supprimer Éditer @@ -60,32 +55,82 @@ Dernière vérification\u00A0: Tendance sur le dernier mois\u00A0: dans l\'intervalle normal - Astuce - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + A propos + Version + Conditions d\'utilisation + Type + Poids + Catégorie de mesure personnalisée + + Mangez plus d\'aliments frais et non transformés pour faciliter la réduction des apports en glucide et en sucre. + Lisez les informations nutritionnelles présentes sur les emballages des aliments et boissons pour contrôler vos apports en sucre et glucides. + Lors d\'un repas à l\'extérieur, demandez du poisson ou de la viande grillée, sans matières grasses supplémentaires. + Lors d\'un repas à l\'extérieur, demandez si certains plats ont une faible teneur en sel. + Lors d\'un repas à l\'extérieur, mangez la même quantité que ce vous avez l\'habitude de consommer et décidez d\'emporter les restes ou non. + Lors d\'un repas à l\'extérieur, demandez des accompagnements à faible teneur en calories, même si ceux-ci ne sont pas sur le menu. + Lors d\'un repas à l\'extérieur, n\'hésitez pas à demander à échanger des ingrédients. À la place des frites, demandez plutôt une double ration de salade, de haricots ou de brocolis. + Lors d\'un repas à l\'extérieur, commandez des aliments qui ne soient pas fris ou panés. + Lors d\'un repas à l\'extérieur, demandez à ce que les sauces et vinaigrettes soit servies « à côté ». + « Sans sucre » ne signifie pas exactement sans sucre. Cela peut indiquer qu\'il y a 0,5 grammes (g) de sucre par portion. Attention à ne pas consommer trop d\'aliments « sans sucre ». + En vous orientant vers un bon poids pour votre santé aide le contrôle de la glycémie. Votre médecin, un diététicien et un entraîneur peuvent vous aider à démarrer sur un plan qui fonctionnera pour vous. + La vérification de votre niveau de sang et son suivi dans une application comme Glucosio deux fois par jour vous aidera à être au courant des résultats des choix alimentaires et de mode de vie. + Obtenez des tests sanguins A1c pour trouver votre glycémie moyenne pour les 2 à 3 derniers mois. Votre médecin vous donnera la fréquence de l\'effectuation de ces tests. + Surveiller combien de glucides vous consommez peut être aussi important que de surveiller votre niveau de sang, puisque les glucides influent sur le taux de glucose dans le sang. Parlez à votre médecin ou votre diététicien de l\'apport en glucides. + Le contrôle de la pression artérielle, le cholestérol et le taux de triglycérides est important car les diabétiques sont sensibles à des risques cardiaques. + Il y a plusieurs approches de régime alimentaire, que vous pouvez adopter pour manger sainement et en aidant à améliorer les résultats de votre diabète. Demandez conseil à votre diététicien sur ce qui fonctionnera le mieux pour vous et votre budget. + Faire de l\'exercice régulièrement est encore plus important chez les diabétiques et vous aidera à garder un poids sain. Parlez à votre médecin des exercices qui seraient les plus adaptés pour vous. + La privation de sommeil peut vous pousser à manger plus, et plus particulièrement des cochonneries, et peut donc impacter négativement sur votre santé. Assurez-vous d\'avoir une bonne nuit réparatrice et consultez un spécialiste du sommeil si vous éprouvez des difficultés. + Le stress peut avoir un impact négatif sur le diabète, discutez avec votre médecin ou avec d\'autres professionnels de santé pour savoir comment gérer le stress. + Afin de prévenir tout apparition soudaine de problème de santé, quand on est diabétique, il est important de prendre rendez-vous avec son médecin, au moins une fois par an, et d\'échanger avec tout au long de l\'année. + Prenez vos médicaments tels qu\'ils vous ont été prescrits, même les légers écarts peuvent impacter votre glycémie et provoquer d\'autres effets secondaires. Si vous avez des difficultés à mémoriser le rythme et les doses, n\'hésitez pas à demander à votre médecin des outils pour vous aider à créer des rappels. + + + Les personnes diabétiques plus âgées ont un risque plus élevé d\'avoir des problèmes de santé liés au diabète. Discutez avec votre médecin pour connaître le rôle de votre âge dans votre diabète et savoir ce qu\'il faut surveiller. + Limitez la quantité de sel utilisée pour cuisiner et celle ajoutée aux plats après la cuisson. + + Assistant + METTRE A JOUR + OK, COMPRIS + SOUMETTRE UN RETOUR + AJOUTER LECTURE + Mise à jour de votre poids + Assurez-vous de mettre à jour votre poids afin Glucosio contient les informations les plus exactes. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Créer des catégories + Glucosio comprend des catégories par défaut pour l\'entrée de glucose mais vous pouvez créer des catégories personnalisées dans paramètres pour assortir vos besoins uniques. + Vérifiez souvent + Glucosio assistant fournit des conseils réguliers et va continuer à améliorer, il faut donc toujours vérifier ici pour des actions utiles, que vous pouvez prendre pour améliorer votre expérience de Glucosio et pour d\'autres conseils utiles. + Envoyer un commentaire + Si vous trouvez des problèmes techniques ou avez des commentaires sur Glucosio nous vous encourageons à nous les transmettre dans le menu réglages afin de nous aider à améliorer Glucosio. + Ajouter une lecture + N\'oubliez pas d\'ajouter régulièrement vos lectures de glucose, donc nous pouvons vous aider à suivre votre taux de glucose dans le temps. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Gamme préférée + Gamme personnalisée + Valeur minimum + Valeur maximum + TRY IT NOW diff --git a/app/src/main/res/values-fra/google-playstore-strings.xml b/app/src/main/res/values-fra/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-fra/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-fra/strings.xml b/app/src/main/res/values-fra/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-fra/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-frp/google-playstore-strings.xml b/app/src/main/res/values-frp/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-frp/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-frp/strings.xml b/app/src/main/res/values-frp/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-frp/strings.xml +++ b/app/src/main/res/values-frp/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-fur/google-playstore-strings.xml b/app/src/main/res/values-fur/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-fur/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-fur/strings.xml b/app/src/main/res/values-fur/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-fur/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-fy/google-playstore-strings.xml b/app/src/main/res/values-fy/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-fy/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-fy/strings.xml b/app/src/main/res/values-fy/strings.xml new file mode 100644 index 00000000..c32fef96 --- /dev/null +++ b/app/src/main/res/values-fy/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Ynstellingen + Weromkeppeling ferstjoere + Oersjoch + Skiednis + Tips + Hallo. + Hallo. + Brûksbetingsten. + Ik ha de brûksbetingsten lêzen en akseptearre + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Lân + Aldens + Please enter a valid age. + Geslacht + Man + Frou + Oar + Diabetestype + Type 1 + Type 2 + Foarkarsienheid + Share anonymous data for research. + You can change these in settings later. + FOLGJENDE + OAN DE SLACH + No info available yet. \n Add your first reading here. + Bloedsûkerspegel tafoegje + Konsintraasje + Datum + Tiid + Metten + Foar it moarnsiten + Nei it moarnsiten + Foar it middeisiten + Nei it middeisiten + Foar it jûnsiten + Nei it jûnsiten + Algemien + Opnij kontrolearje + Nacht + Oar + ANNULEARJE + TAFOEGJE + Please enter a valid value. + Please fill all the fields. + Fuortsmite + Bewurkje + 1 útlêzing fuortsmiten + ÛNGEDIEN MEITSJE + Lêste kontrôle: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + Oer + Ferzje + Brûksbetingsten + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistint + NO BYWURKJE + OK, GOT IT + WEROMKEPPELING FERSTJOERE + ÚTLÊZING TAFOEGJE + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Kategoryen meitsje + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Sjoch hjir regelmjittich + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Weromkeppeling ferstjoere + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + In útlêzing tafoegje + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-ga/google-playstore-strings.xml b/app/src/main/res/values-ga/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-ga/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-ga/strings.xml b/app/src/main/res/values-ga/strings.xml new file mode 100644 index 00000000..909f8424 --- /dev/null +++ b/app/src/main/res/values-ga/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Socruithe + Aiseolas + Foramharc + Stair + Leideanna + Dia dhuit. + Dia dhuit. + Téarmaí Úsáide. + Léigh mé na Téarmaí Úsáide agus glacaim leo + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + Cúpla rud beag sula dtosóimid. + Tír + Aois + Cuir aois bhailí isteach. + Inscne + Fireannach + Baineannach + Eile + Cineál diaibéitis + Cineál 1 + Cineál 2 + Do rogha aonaid + Comhroinn sonraí gan ainm le haghaidh taighde. + Is féidir leat iad seo a athrú ar ball sna socruithe. + AR AGHAIDH + TÚS MAITH + Níl aon eolas ar fáil fós. \n Cuir do chéad tomhas anseo. + Tomhais Leibhéal Glúcós Fola + Tiúchan + Dáta + Am + Tomhaiste + Roimh bhricfeasta + Tar éis bricfeasta + Roimh lón + Tar éis lóin + Roimh shuipéar + Tar éis suipéir + Ginearálta + Seiceáil arís + Oíche + Eile + CEALAIGH + OK + Cuir luach bailí isteach. + Líon isteach na réimsí go léir. + Scrios + Eagar + Scriosadh tomhas amháin + CEALAIGH + Tomhas is déanaí: + Treocht le linn na míosa seo caite: + sa raon sláintiúil + + + Seachtain + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + Maidir Leis + Leagan + Téarmaí Úsáide + Cineál + Meáchan + Catagóir saincheaptha + + Ith tuilleadh bia úr neamhphróiseáilte chun ionghabháil carbaihiodráití agus siúcra a laghdú. + Léigh an fhaisnéis bheathaithe ar bhia agus deochanna pacáistithe chun ionghabháil carbaihiodráití agus siúcra a rialú. + I mbialann, ordaigh iasc nó feoil ghríosctha gan im nó ola bhreise. + I mbialann, fiafraigh an bhfuil béilí beagshóidiam acu. + I mbialann, ith an méid céanna bia a d\'íosfá sa mbaile agus tabhair an fuílleach abhaile. + I mbialann, iarr rudaí beagchalraí, mar shampla anlanna sailéid, fiú mura bhfuil siad ar an mbiachlár. + I mbialann, iarr bia sláintiúil in ionad bia mhíshláintiúil, mar shampla glasraí (sailéad, pónairí glasa, nó brocailí) in ionad sceallóga. + I mbialann, seachain bia aránaithe nó friochta. + I mbialann, ordaigh anlann, súlach, nó blastán \"ar an taobh\". + Ní chiallaíonn \"gan siúcra\" nach bhfuil siúcra ann i gcónaí! Ciallaíonn sé níos lú ná 0.5 gram siúcra sa riar, mar sin níor chóir duit an iomarca rudaí \"gan siúcra\" a ithe. + Cabhraíonn meáchan sláintiúil leat siúcraí fola a rialú. Téigh i gcomhairle le do dhochtúir, le bia-eolaí, agus le traenálaí chun plean cailliúna meáchan a leagan amach. + Foghlaim faoin tionchar a imríonn bia agus stíl mhaireachtála ar do shláinte trí do leibhéal glúcós fola a thomhas faoi dhó sa lá i nGlucosio nó in aip eile dá leithéid. + Déan tástáil fola chun teacht ar do mheánleibhéal siúcra fola le 2 nó 3 mhí anuas. Inseoidh do dhochtúir duit cé chomh minic is a bheidh ort an tástáil fola seo a dhéanamh. + Tá sé an-tábhachtach d\'ionghabháil carbaihiodráití a thaifeadadh, chomh tábhachtach le leibhéal glúcós fola, toisc go n-imríonn carbaihiodráití tionchar ar ghlúcós fola. Bíodh comhrá agat le do dhochtúir nó le bia-eolaí maidir le hionghabháil carbaihiodráití. + Tá sé tábhachtach do bhrú fola, leibhéal colaistéaróil agus leibhéil tríghlicríde a srianadh, toisc go bhfuil daoine diaibéiteacha tugtha do ghalar croí. + Tá roinnt réimeanna bia ann a chabhródh leat bia níos sláintiúla a ithe agus dea-thorthaí sláinte a bhaint amach. Téigh i gcomhairle le bia-eolaí chun teacht ar an réiteach is fearr ó thaobh sláinte agus airgid. + Tá sé ríthábhachtach do dhaoine diaibéiteacha aclaíocht rialta a dhéanamh, agus cabhraíonn sé leat meáchan sláintiúil a choinneáil. Bíodh comhrá agat le do dhochtúir faoi réim aclaíochta fheiliúnach. + Nuair a bhíonn easpa codlata ort, itheann tú níos mó, go háirithe mearbhia agus bia beagmhaitheasa, rud a chuireann isteach ar do shláinte. Déan iarracht go leor codlata a fháil, agus téigh i gcomhairle le saineolaí codlata mura bhfuil tú in ann. + Imríonn strus drochthionchar ar dhaoine diaibéiteacha. Bíodh comhrá agat le do dhochtúir nó le gairmí cúram sláinte faoi conas is féidir déileáil le strus. + Tá sé an-tábhachtach cuairt a thabhairt ar do dhochtúir uair amháin sa mbliain agus cumarsáid rialta a dhéanamh leis/léi tríd an mbliain sa chaoi nach mbuailfidh fadhbanna sláinte ort go tobann. + Tóg do chógas leighis go díreach mar a bhí sé leagtha amach ag do dhochtúir. Má ligeann tú do chógas i ndearmad, fiú uair amháin, b\'fhéidir go n-imreodh sé drochthionchar ar do leibhéal glúcós fola. Mura bhfuil tú in ann do chóir leighis a mheabhrú, cuir ceist ar do dhochtúir faoi chóras bainistíochta cógais. + + + Seans go bhfuil baol níos mó ag baint le diaibéiteas i measc daoine níos sine. Bíodh comhrá agat le do dhochtúir faoin tionchar ag aois ar do dhiaibéiteas agus na comharthaí sóirt is tábhachtaí. + Cuir srian leis an méid salainn a úsáideann tú ar bhia le linn cócarála agus tar éis duit é a chócaráil. + + Cúntóir + NUASHONRAIGH ANOIS + TUIGIM + SEOL AISEOLAS + TOMHAS NUA + Nuashonraigh do mheáchan + Ba chóir duit do mheáchan a choinneáil cothrom le dáta sa chaoi go mbeidh an t-eolas is fearr ag Glucosio. + Athraigh an socrú a bhaineann le taighde + Is féidir leat do chuid sonraí a chomhroinnt le taighdeoirí atá ag obair ar dhiaibéiteas, go hiomlán gan ainm, nó comhroinnt a stopadh am ar bith. Ní chomhroinnimid ach faisnéis dhéimeagrafach agus treochtaí leibhéil glúcóis. + Cruthaigh catagóirí + Tagann Glucosio le catagóirí réamhshocraithe le haghaidh ionchurtha glúcóis, ach is féidir leat catagóirí de do chuid féin a chruthú sna socruithe. + Féach anseo go minic + Tugann Cúntóir Glucosio leideanna duit go rialta, agus rachaidh sé i bhfeabhas de réir a chéile. Mar sin, ba chóir duit filleadh anseo anois is arís le gníomhartha agus leideanna úsáideacha a fháil. + Seol aiseolas + Má fheiceann tú aon fhadhb theicniúil, nó más mian leat aiseolas faoi Glucosio a thabhairt dúinn, is féidir é sin a dhéanamh sa roghchlár Socruithe, chun cabhrú linn Glucosio a fheabhsú. + Tomhas nua + Ba chóir duit do leibhéal glúcos fola a thástáil go rialta sa chaoi go mbeidh tú in ann an leibhéal a leanúint thar thréimhse ama. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Raon inmhianaithe + Raon saincheaptha + Íosluach + Uasluach + BAIN TRIAIL AS + diff --git a/app/src/main/res/values-gaa/google-playstore-strings.xml b/app/src/main/res/values-gaa/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-gaa/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-gaa/strings.xml b/app/src/main/res/values-gaa/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-gaa/strings.xml +++ b/app/src/main/res/values-gaa/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-gd/google-playstore-strings.xml b/app/src/main/res/values-gd/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-gd/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-gd/strings.xml b/app/src/main/res/values-gd/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-gd/strings.xml +++ b/app/src/main/res/values-gd/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-gl/google-playstore-strings.xml b/app/src/main/res/values-gl/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-gl/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-gl/strings.xml b/app/src/main/res/values-gl/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-gl/strings.xml +++ b/app/src/main/res/values-gl/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-gn/google-playstore-strings.xml b/app/src/main/res/values-gn/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-gn/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-gn/strings.xml b/app/src/main/res/values-gn/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-gn/strings.xml +++ b/app/src/main/res/values-gn/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-gu/google-playstore-strings.xml b/app/src/main/res/values-gu/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-gu/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-gu/strings.xml b/app/src/main/res/values-gu/strings.xml new file mode 100644 index 00000000..e0b74af4 --- /dev/null +++ b/app/src/main/res/values-gu/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + સેટીંગ્સ + પ્રતિસાદ મોકલો + ઓવરવ્યૂ + ઇતિહાસ + સુજાવ + હેલ્લો. + હેલ્લો. + વપરાશ ની શરતો. + હું વપરાશની શરતો વાંચીને સ્વીકાર કરું છુ + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + દેશ + ઉંમર + કૃપા કરી સાચી ઉમર નાખો. + જાતિ + પુરૂષ + સ્ત્રી + અન્ય + મધુપ્રમેહનો પ્રકાર + પ્રકાર 1 + પ્રકાર 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + કૃપા કરી સાચી માહિતી ભરો. + કૃપા કરી બધી વિગતો ભરો. + રદ કરવું + ફેરફાર કરો + 1 વાંચેલું કાઢ્યું + પહેલા હતી એવી સ્થિતિ + છેલ્લી ચકાસણી: + ગયા મહિના નું સરવૈયું: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + હમમ, સમજાઈ ગયું + પ્રતિક્રિયા મોકલો + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + પ્રતિક્રિયા મોકલો + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-gv/google-playstore-strings.xml b/app/src/main/res/values-gv/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-gv/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-gv/strings.xml b/app/src/main/res/values-gv/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-gv/strings.xml +++ b/app/src/main/res/values-gv/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-ha/google-playstore-strings.xml b/app/src/main/res/values-ha/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-ha/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-ha/strings.xml b/app/src/main/res/values-ha/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-ha/strings.xml +++ b/app/src/main/res/values-ha/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-haw/google-playstore-strings.xml b/app/src/main/res/values-haw/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-haw/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-haw/strings.xml b/app/src/main/res/values-haw/strings.xml old mode 100755 new mode 100644 index 73452d7b..7fa326e3 --- a/app/src/main/res/values-haw/strings.xml +++ b/app/src/main/res/values-haw/strings.xml @@ -1,15 +1,75 @@ + Glucosio Kauna + Hoʻouna i ka manaʻo + Nānā wiki + Mōʻaukala + ʻŌlelo hoʻohani Aloha mai. Aloha mai. + Nā Kuleana hana. + Ua heluhelu a ʻae au i nā Kuleana hana + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + Makemake mākou i mau mea iki ma mua o ka hoʻomaka ʻana. + ʻĀina + Makahiki + E kikokiko i ka makahiki kūpono ke ʻoluʻolu. + Keka Kāne Wahine + Nā Mea ʻē aʻe + Ke ʻAno Mimi kō + Ke ʻAno 1 + Ke ʻAno 2 + Ke Ana makemake + Share anonymous data for research. + Hiki iā ʻoe ke hoʻololi i kēia makemake ma hope aku. + Holomua + HOʻOMAKA ʻANA + ʻAʻohe ʻike ma ʻaneʻi i kēia manawa. \n Hoʻohui i kāu heluhelu mua ma ʻaneʻi. + Hoʻohui i ke Ana Monakō Koko + Ke Ana paʻapūhia Hola + Wā i ana ʻia + Ma mua o ka ʻaina kakahiaka + Ma hope o ka ʻaina kakahiaka + Ma mua o ka ʻaina awakea + Ma hope o ka ʻaina awakea + Ma mua o ka ʻaina ahiahi + Ma hope o ka ʻaina ahiahi + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. Holoi - + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Mana + Nā Kuleana hana + Ke ʻAno + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -18,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -28,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Haku i nā māhele + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + E hoʻi pinepine + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Hoʻouna i ka manaʻo + Inā loaʻa i ka pilikia ʻoe a i ʻole loaʻa iā ʻoe ka manaʻo no Glucosio, hoʻopaipai mākou i ka waiho ʻana o ia mea āu i ka papa kauna i hiki mākou ke holomua iā Glucosio. + Hoʻohui i ka heluhelu + E hoʻohui pinepine i kou mau heluhelu monakō i hiki mākou ke kōkua i ka nānā ʻana o kou ana monakō ma o ka manawa holomua. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-he/google-playstore-strings.xml b/app/src/main/res/values-he/google-playstore-strings.xml new file mode 100644 index 00000000..1ed08674 --- /dev/null +++ b/app/src/main/res/values-he/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio הוא יישום בקוד פתוח עבור אנשים עם סוכרת + בזמן השימוש ב Glucosio אתם יכולים לעקוב אחר רמות הסוכר בדם, לתמוך במחקר הסוכרת באופן יעיל באמצעות שיתוף מידע אנונימי. Glucosio מכבדת את הפרטיות שלך ושומרת על פרטי המידע שלך. + Glucosio נבנה לשימוש היוצר עם אפרויות ועיצוב מותאמים אישית. אנחנו פתוחים ומשוב וחוות דעת לשיפור. + * קוד פתוח. אפליקציות Glucosio נותנת לכם את החופש להשתמש, להעתיק, ללמוד, ולשנות את קוד המקור של כל האפליקציות שלנו, וגם לתרום לפרויקט Glucosio. + * ניהול נתונים. Glucosio מאפשר לכם לעקוב אחר נתוני הסוכרת בממשק אינטואיטיבי, מודרני אשר נבנה על בסיס משוב של חולי סוכרת. + * תומך מחקר. Glucosio apps מאפשר למשתמשים להצטרף ולשתף נתונים אנונימיים ומידע דמוגרפי עם חוקרי סוכרת. + אנא דווחו על באגים ו\או הצעות לאפשרויות חדשות ולשיפורים ב: + https://github.com/glucosio/android + פרטים נוספים: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-he/strings.xml b/app/src/main/res/values-he/strings.xml old mode 100755 new mode 100644 index 2fa846d3..98748e9e --- a/app/src/main/res/values-he/strings.xml +++ b/app/src/main/res/values-he/strings.xml @@ -1,31 +1,136 @@ - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + Glucosio + הגדרות + שלח משוב + מבט על + היסטוריה + הצעות + שלום. + שלום. + תנאי שימוש + קראתי ואני מסכים לתנאי השימוש + התכנים של אתר Glucosio, יישומים, כגון טקסט, גרפיקה, תמונות, חומר אחר (\"תוכן\") הן למטרות שיתוף מידע \ אינפורמציה בלבד. התוכן לא נועד לשמש כתחליף לייעוץ רפואי, אבחון או טיפול מוסמך. אנו ממליצים למשתמשי Glucosio תמיד להתייעץ עם הרופא שלך או ספק שירותי בריאות מוסמכים אחרים על כל שאלה לגבי מצבך רפואי. לעולם אל תמנע או תתעכב במציאת ייעוץ רפואי מוסמך בגלל משהו שקראת באתר Glucosio או ביישומים שלנו. אתר האינטרנט Glucosio, הבלוג, הויקי וכל תוכן אחר באתר האינטרנט (\"האתר\") אמור לשמש רק לצרכים המתוארים לעיל. \n הסתמכות על כל מידע המסופק על ידי Glucosio, חברי צוות האתר, או מתנדבים אחרים המופיעים באתר או ביישומים שלנו הוא באחריות המשתמש בלבד. האתר והתוכן הינם מסופקים על בסיס כהוא וללא אחריות. + אנא מלא את הפרטים הבאים בשביל להתחיל. + מדינה + גיל + אנא הזן גיל תקין. + מין + זכר + נקבה + אחר + סוג סוכרת + סוכרת סוג 1 + סוכרת סוג 2 + יחידת מדידה מעודפת + שתף מידע אנונימי למחקר. + תוכלו לשנות את ההגדרות האלו מאוחר יותר. + הבא + התחל + אין מידע זמין כעט.\n הוסף את קריאת המדדים הראשונה שלך כאן. + הוסף רמת סוכר הדם + ריכוז + תאריך + שעה + זמן מדידה + לפני ארוחת בוקר + לאחר ארוחת הבוקר + לפני ארוחת הצהריים + לאחר ארוחת הצהריים + לפני ארוחת הערב + לאחר ארוחת הערב + כללי + בדוק מחדש + לילה + אחר + ביטול + להוסיף + אנא הזינו ערך תקין. + אנא מלאו את כל השדות. + למחוק + ערוך + מדידה אחת נמחקה + בטל + בדיקה אחרונה: + המגמה בחודש האחרון: + בטווח ובריא + חודש + יום + שבוע + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + אודות + גרסה + תנאי שימוש + סוג + משקל + קטגורית מדידה מותאמת אישית + + אכול יותר מזון טרי ולא מעובד כדי לצמצם את צריכת הפחמימות והסוכר. + קרא את התוויות תזונתיות על מזונות ארוזים ומשקאות בכדי לשלוט בצריכת הפחמימות והסוכר. + כאשר אתם אוכלים בחוץ, בקשו דג או בשר צלוי ללא תוספת חמאה או שמן. + כאשר אוכלים בחוץ, תשאלו אם יש להם מנות עם מעט אן בלי נתרן. + כאשר אוכלים בחוץ, איכלו את אותו גודל המנות שתאכלו בבית, וקחו את השאריות ללכת. + כאשר אוכלים בחוץ בקשו מזונות מעוטי קלוריות, כגון רטבים לסלט, אפילו אם הם לא בתפריט. + כאשר אוכלים בחוץ בקשו החלפות. במקום צ\'יפס, בקשו כמות כפולה של ירק כמו סלט, שעועית ירוקה או ברוקולי. + כאשר אתם אוכלים בחוץ, הזמינו מזונות ללא ציפוי לחם או טיגון. + כאשר אתם אוכלים בחוץ בקשו רטבים, ורטבים לסלט \"בצד.\" + \"ללא סוכר\" לא באמת אומר ללא סוכר. בד\"כ זה אומר 0.5 גרם סוכר למנה, היזהרו לא לאכל יותר מדי פריטים \"ללא סוכר\". + הגעה אל משקל תקין מסייעת בשליטה על רמת הסוכרים בדם. הרופא שלך, דיאטן, ומאמן כושר יעזרו לך בלבנות תוכנית אישית לירידה ושמירה על משקל תקין. + בדיקת רמת סוכר הדם ומעקב תכוף באפליקציה כמו Glucosio פעמיים ביום, יעזור לך להיות מודע לגבי התוצאות של בחירות במזון ואורח בחיים שלך. + בצעו בדיקת דם A1c כדי לגלות את רמת הסוכר הממוצעת שלכם ל 2-3 חודשים האחרונים. הרופא שלכם יוכל לוודא באיזו תדירות יש צורך שתבצעו את הבדיקה הזו. + מעקב אחר צריכת הפחמימות שלכם יכולה להיות לא פחות חשובה מבדיקת רמות סוכר הדם שלכם, מאחר ופחמימות משפיעות על רמות הסוכר בדם. דברו עם הרופא שלכם או דיאטנית לגבי צריכת הפחמימות. + שליטה בלחץ הדם, הכולסטרול, ורמת הטריגליצרידים חשוב מכיוון שסוכרתיים נמצאים בסיכון גבוה יותר למחלות לב. + ישנן מספר גישות דיאטה שניתן לנקוט כדי לאכול בריא יותר ולסייע לשפר את מצב הסוכרת שלכם. התייעצו עם רופא או דיאטנית על הגישות המתאימות לכם ולתקציב שלכם. + פעילות גופנית סדירה חשובה במיוחד בשביל סוכרתיים ותורמת לשמירה על משקל תקין. התייעצו עם רופא על תרגילים ותוכניות אימון שיתאימו לכם. + מחסור בשינה עלול לגרום לרעב מוגבר ואכילת יתר ובמיוחד \"ג\'אנק-פוד\". מצב שעלול להשפיע לרעה על בריאותכם. הקפידו על שנת לילה טובה ופנו להתייעצות עם רופא או מומחה שינה אם אתם חווים קשיים בשינה. + לחץ יכול להוות השפעה שלילית על הסוכרת. התייעצו עם רופא או מומחה לגבי התמודדות עם לחצים. + ביקור שנתי וששימור תקשורת קבועה עם הרופא שלכם זה כלי חשוב למניעת התפרצויות פתאומיות ומניעת בעיות בריאותיות נלוות. + קחו את התרופות כנדרש על ידי הרופא. אפילו מעידות קטנות עלולות להשפיע על רמת הסוכר בדם וגרימת תופעות נלוות. אם אתם חווים קשיים לזכור לקחת את התרופות שלכם, התייעצו עם רופא לגבי ניהול לו\"ז תרופות ותזכורות. + + + חולי סוכרת מבוגרים עלולים להיות בסיכון גבוה יותר לבעיות בריאות הקשורים בסוכרת. התייעצו עם רופא על איך בגילכם ממלאת תפקיד הסכרת שלכם ולמה עליכם לצפות. + הגבל את כמות המלח בבישול ובארוחה. + + מסייע + עדכון + אוקיי + שלח משוב + הוסף מדידה + עדכן את משקלך + הקפד לעדכן את המשקל שלך כך שב-Glucosio יהיה את המידע המדויק ביותר. + עדכון שיתוף מידע למחקר (opt-in) + אתם יכוליםלהסכים להצטרף (opt-in) או לבטל (opt-out) שיתוף מידע למחקר, אבל זיכרו, כל הנתונים המשותפים הוא אנונימיים לחלוטין. אנחנו רק חולקים מידע דמוגרפי ואת רמת ומגמת הגלוקוז. + צור קטגוריות + Glucosio מגיע עם קטגוריות ברירת המחדל עבור קלט רמת הגלוקוז, אך באפשרותך ליצור קטגוריות מותאמות אישית הגדרות כדי להתאים לצרכים הייחודיים שלך. + בדוק כאן לעיתים קרובות + העוזר ב-Glucosio מספק עצות קבועות לשמור על שיפור, בידקו בתכיפות לגבי שימושי פעולות שבאפשרותך לבצע כדי לשפר את החוויה Glucosio שלך, טיפים שימושיים נוספים. + שלח משוב + אם אתם מוצאים כל בעיות טכניות או לקבל משוב אודות Glucosio אנו מעודדים אותך להגיש את זה בתפריט \' הגדרות \' כדי לסייע לנו לשפר את Glucosio. + הוסף מדידה + הקפד להוסיף באופן קבוע את מדידות רמת הסוכר בדם שלך כדי שנוכל לעזור לך לעקוב אחר רמות הסוכר שלך לאורך זמן. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + טווח מועדף + טווח מותאם אישית + ערך מינימום + ערך מקסימום + נסה זאת עכשיו diff --git a/app/src/main/res/values-hi/google-playstore-strings.xml b/app/src/main/res/values-hi/google-playstore-strings.xml new file mode 100644 index 00000000..45ee4ed6 --- /dev/null +++ b/app/src/main/res/values-hi/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + शर्करा + शर्करा मधुमेह के साथ लोगों के लिए एक उपयोगकर्ता केंद्रित स्वतंत्र और खुला स्रोत अनुप्रयोग है + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + पर किसी भी कीड़े, मुद्दों, या सुविधा का अनुरोध दायर करें: + https://github.com/glucosio/android + अधिक जानकारी: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-hi/strings.xml b/app/src/main/res/values-hi/strings.xml old mode 100755 new mode 100644 index 2fa846d3..fd1df0cc --- a/app/src/main/res/values-hi/strings.xml +++ b/app/src/main/res/values-hi/strings.xml @@ -1,16 +1,84 @@ - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. + Glucosio + सेटिंग + प्रतिक्रिया भेजें + अवलोकन + इतिहास + झुकाव + नमस्ते. + नमस्ते. + उपयोग की शर्तें. + मैंने पढ़ा है और उपयोग की शर्तों को स्वीकार कर लिया है + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + हम तो बस आप पहले शुरू हो रही कुछ जल्दी चीजों की जरूरत है. + देश + आयु + एक वैध उम्र में दर्ज करें. + लिंग + नर + महिला + अन्य + मधुमेह टाइप + श्रेणी 1 + श्रेणी 2 + पसंदीदा इकाई + अनुसंधान के लिए गुमनाम डेटा साझा करें. + आप बाद में सेटिंग में इन बदल सकते हैं. + अगला + शुरू हो जाओ + अभी तक उपलब्ध नहीं है जानकारी. \n यहां अपने पहले पढ़ने जोड़ें. + रक्त शर्करा के स्तर को जोड़ें + एकाग्रता + तारीख + समय + मापा + नाश्ते से पहले + नाश्ते के बाद + दोपहर के भोजन से पहले + दोपहर के भोजन के बाद + रात के खाने से पहले + रात के खाने के बाद + सामान्य + पुनः जाँच + रात + अन्य + रद्द + जोड़ें + कृपया कोई मान्य मान दर्ज करें. + सभी क्षेत्रों को भरें. + हटाना + संपादित + 1 पढ़ने हटाए गए + पूर्ववत + अंतिम जांच: + पिछले एक महीने में रुझान: + सीमा और स्वस्थ में + माह + दिन + सप्ताह + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + के बारे में + संस्करण + उपयोग की शर्तें + टाइप + वजन + कस्टम माप श्रेणी + + कार्बोहाइड्रेट और चीनी का सेवन कम करने में मदद करने के लिए और अधिक ताजा, असंसाधित खाद्य पदार्थ का सेवन करें. + चीनी और कार्बोहाइड्रेट का सेवन को नियंत्रित करने के डिब्बाबंद खाद्य पदार्थ और पेय पदार्थों पर पोषण लेबल पढ़ें. + जब बाहर खा रहे हो, तब बिना अतिरिक्त मक्खन या तेल से भूने मांस या मछली के लिये पूछिये। When eating out, ask if they have low sodium dishes. When eating out, eat the same portion sizes you would at home and take the leftovers to go. When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + सहायक + अभी अद्यतन करें + ठीक मिल गया + प्रतिक्रिया सबमिट करें + पढ़ना जोड़ें + अपने वजन को अपडेट करें + Make sure to update your weight so Glucosio has the most accurate information. + अपने अनुसंधान में ऑप्ट अद्यतन + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + श्रेणियों बनाएँ + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + यहाँ अक्सर चेक + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + प्रतिक्रिया सबमिट करें + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + एक पढ़ने जोड़ें + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + पसंदीदा श्रेणी + कस्टम श्रेणी + न्यूनतम मूल्य + अधिकतम मूल्य + अब यह कोशिश करो diff --git a/app/src/main/res/values-hil/google-playstore-strings.xml b/app/src/main/res/values-hil/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-hil/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-hil/strings.xml b/app/src/main/res/values-hil/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-hil/strings.xml +++ b/app/src/main/res/values-hil/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-hmn/google-playstore-strings.xml b/app/src/main/res/values-hmn/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-hmn/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-hmn/strings.xml b/app/src/main/res/values-hmn/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-hmn/strings.xml +++ b/app/src/main/res/values-hmn/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-ho/google-playstore-strings.xml b/app/src/main/res/values-ho/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-ho/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-ho/strings.xml b/app/src/main/res/values-ho/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-ho/strings.xml +++ b/app/src/main/res/values-ho/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-hr/google-playstore-strings.xml b/app/src/main/res/values-hr/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-hr/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-hr/strings.xml b/app/src/main/res/values-hr/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-hr/strings.xml +++ b/app/src/main/res/values-hr/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-hsb/google-playstore-strings.xml b/app/src/main/res/values-hsb/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-hsb/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-hsb/strings.xml b/app/src/main/res/values-hsb/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-hsb/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-ht/google-playstore-strings.xml b/app/src/main/res/values-ht/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-ht/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-ht/strings.xml b/app/src/main/res/values-ht/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-ht/strings.xml +++ b/app/src/main/res/values-ht/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-hu/google-playstore-strings.xml b/app/src/main/res/values-hu/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-hu/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-hu/strings.xml b/app/src/main/res/values-hu/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-hu/strings.xml +++ b/app/src/main/res/values-hu/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-hy/google-playstore-strings.xml b/app/src/main/res/values-hy/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-hy/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-hy/strings.xml b/app/src/main/res/values-hy/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-hy/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-hz/google-playstore-strings.xml b/app/src/main/res/values-hz/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-hz/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-hz/strings.xml b/app/src/main/res/values-hz/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-hz/strings.xml +++ b/app/src/main/res/values-hz/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-id/google-playstore-strings.xml b/app/src/main/res/values-id/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-id/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-id/strings.xml b/app/src/main/res/values-id/strings.xml old mode 100755 new mode 100644 index fb55bc13..0fefd9e9 --- a/app/src/main/res/values-id/strings.xml +++ b/app/src/main/res/values-id/strings.xml @@ -1,14 +1,19 @@ + Glucosio Pengaturan + Kirim umpan balik Ikhtisar Riwayat Kiat Halo. Halo. + Ketentuan Penggunaan. + Saya telah membaca dan menerima syarat penggunaan + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. Kami hanya perlu beberapa hal sebelum Anda bisa mulai. - Bahasa utama + Negara Umur Mohon masukkan umur valid. Gender @@ -21,8 +26,9 @@ Unit utama Berbagi data anonim untuk riset. Anda dapat mengganti ini nanti di pengaturan. - MULAI - Data tidak tersedia. \n Tambahkan data pertama Anda di sini. + BERIKUTNYA + MEMULAI + No info available yet. \n Add your first reading here. Tambah Kadar Glukosa Darah Konsentrasi Tanggal @@ -34,16 +40,36 @@ Setelah makan siang Sebelum makan malam Setelah makan malam + Umum + Recheck + Malam + Other BATAL TAMBAH + Please enter a valid value. Mohon lengkapi semua isian. Hapus Edit 1 bacaan dihapus URUNG Periksa terakhir: - Kiat - + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + Tentang + Versi + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -52,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -62,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-ig/google-playstore-strings.xml b/app/src/main/res/values-ig/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-ig/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-ig/strings.xml b/app/src/main/res/values-ig/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-ig/strings.xml +++ b/app/src/main/res/values-ig/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-ii/google-playstore-strings.xml b/app/src/main/res/values-ii/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-ii/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-ii/strings.xml b/app/src/main/res/values-ii/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-ii/strings.xml +++ b/app/src/main/res/values-ii/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-ilo/google-playstore-strings.xml b/app/src/main/res/values-ilo/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-ilo/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-ilo/strings.xml b/app/src/main/res/values-ilo/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-ilo/strings.xml +++ b/app/src/main/res/values-ilo/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-is/google-playstore-strings.xml b/app/src/main/res/values-is/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-is/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-is/strings.xml b/app/src/main/res/values-is/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-is/strings.xml +++ b/app/src/main/res/values-is/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-it/google-playstore-strings.xml b/app/src/main/res/values-it/google-playstore-strings.xml new file mode 100644 index 00000000..89caabf4 --- /dev/null +++ b/app/src/main/res/values-it/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio è un app focalizzata sugli utenti, gratuita e opensource per persone affette da diabete + Usando Glucosio, puoi inserire e tracciare i livelli di glicemia, supportare anonimamente la ricerca sul diabete attraverso la condivisione anonima dell\'andamento della glicemia e di dati demografici e ottenere consigli utili attraverso il nostro assistente. Glucosio rispetta la tua privacy e avrai sempre il controllo dei tuoi dati. + * Focalizzata sull\'utente. Glucosio è progettata con funzionalità e un design che risponde alle necessità degli utenti e siamo costantemente aperti a suggerimenti per migliorare. + *Open Source. Glucosio ti da la libertà di di usare, copiare, studiare e cambiare il codice sorgente di una qualsiasi delle nostre applicazioni e anche contrubuire al progetto Glucosio. + *Gestire i dati. Glucosio consente di tracciare e gestire i tuoi dati sul diabete da un\'interfaccia intuitiva e moderna costruita dai suggerimenti dei diabetici. + *Supporta la ricerca. Glucosio offre agli utenti l\'opzione di acconsentire l\'invio anonimo di dati sul diabete e informazioni demografiche con i ricercatori. + Si prega di inviare eventuali bug, problemi o richieste di nuove funzionalità a: + https://github.com/glucosio/android + Più dettagli: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-it/strings.xml b/app/src/main/res/values-it/strings.xml old mode 100755 new mode 100644 index 3da94e4a..8a4d97e3 --- a/app/src/main/res/values-it/strings.xml +++ b/app/src/main/res/values-it/strings.xml @@ -3,13 +3,17 @@ Glucosio Impostazioni + Invia feedback Riepilogo Cronologia Suggerimenti Ciao. Ciao. + Condizioni d\'uso. + Ho letto e accetto le condizioni d\'uso + I contenuti del sito web e applicazione Glucosio, come testo, grafici, immagini e altro materiale (\"Contenuti\") sono a scopo puramente informativo. Le informazioni non sono da considerarsi come sostitutive di consigli medici professionali, diagnosi o trattamenti terapeutici. Noi incoraggiamo gli utenti di Glucosio a chiedere sempre il parere del proprio medico curante o di personale qualificato su qualsiasi domanda tu abbia inerente una condizione medica. Mai ignorare i consigli di una consulenza medica professionale o ritardarne la ricerca a causa di qualcosa letta nel sito web di Glucosio o nella nostra applicazione. Il sito web di Glucosio, Blog, Wiki e altri contenuti accessibili dovrebbero essere usati solo per gli scopi sopra descritti. In affidamento su qualsiasi informazione fornita da Glucosio, dai membri del team di Glucosio, volontari o altri che appaiono nel sito web o applicazione, usale a tuo rischio e pericolo. Il Sito Web e i contenuti sono forniti su base \"così com\'è\". Abbiamo solo bisogno di un paio di cose veloci prima di iniziare. - Lingua preferita + Nazione Età Inserisci una età valida. Sesso @@ -20,12 +24,11 @@ Tipo 1 Tipo 2 Unità preferita - mg/dL - mmol/L Condividi i dati anonimi per la ricerca. Puoi cambiare queste impostazioni dopo. - INIZIAMO - Non ci sono dati disponibili.\n Aggiungi il primo qui. + SUCCESSIVO + INIZIAMO + Nessuna informazione disponibile. \n Aggiungi la tua prima lettura qui. Aggiungi livello di Glucosio nel sangue Concentrazione Data @@ -37,8 +40,13 @@ Dopo pranzo Prima della cena Dopo cena + Generale + Ricontrollare + Notte + Altro ANNULLA AGGIUNGI + Inserisci un valore valido. Per favore compila tutti i campi. Cancella Modifica @@ -47,32 +55,82 @@ Ultimo controllo: Tendenza negli ultimi mesi: nello standard e sano - Suggerimento - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + Mese + Giorno + Settimana + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + Informazioni + Versione + Termini di utilizzo + Tipo + Peso + Categoria personalizzata + + Mangiare più alimenti freschi, non trasformati aiuta a ridurre l\'assunzione dei carboidrati e degli zuccheri. + Leggere l\'etichetta nutrizionale su alimenti confezionati e bevande per controllare l\'assunzione di zuccheri e carboidrati. + Quando mangi fuori, chiedi pesce o carne alla griglia senza aggiunta di burro o olio. + Quando mangi fuori, chiedi se hanno piatti a basso contenuto di sodio. + Quando mangi fuori, mangia le stesse porzioni che mangeresti a casa e portati via gli avanzi. + Quando mangi fuori ordina elementi con basso contenuto calorico, come condimenti per insalata, anche se non sono disponibili in menu. + Quando mangi fuori chiedi dei sostituti. Al posto di patatine fritte, richiedi una doppia porzione di verdure ad esempio insalata, fagioli o broccoli. + Quando mangi fuori, ordina alimenti non impanati o fritti. + Quando mangi fuori chiedi per le salse, sugo e condimenti per insalate \"a parte.\" + Senza zucchero non significa davvero senza zuccheri aggiunti. Vuol dire 0,5 grammi (g) di zucchero per porzione, quindi state attenti a non indulgere in molti articoli senza zuccheri. + Il raggiungimento di un un peso sano, aiuta a controllo gli zuccheri nel sangue. Il tuo medico, un dietista e un istruttore di fitness può aiutarti a iniziare un piano di lavoro adatto a te che funziona. + Controllando la glicemia e tenendone traccia in un applicazione come Glucosio due volte al giorno, ti aiuterà ad essere consapevole dei risultati e delle scelte alimentari e dello stile di vita. + Esegui esami dell\'emoglobina glicata (HbA1c) per stabilire i valori medi di glicemia degli ultimi 2 o 3 mesi. Il tuo medico dovrebbe dirti quanto spesso sarà necessario eseguire quest\'esame. + Tener traccia del consumo dei carboidrati può essere importante come il controllo della glicemia, in quanto i carboidrati influenzano i livelli di glucosio nel sangue. Parla con il tuo medico o nutrizionista dell\'assunzione dei carboidrati. + Controllare la pressione sanguigna, il colesterolo e i trigliceridi è importante poiché i diabetici sono più a rischio di malattie cardiache. + Ci sono diversi approcci di dieta che puoi affrontare mangiando più sano e contribuendo a migliorare i tuoi risultati diabetici. Chiedere il parere di un dietologo su che cosa funziona meglio su di voi e il vostro budget. + Organizzarsi su come fare esercizio fisico regolarmente è particolarmente importante per i diabetici e può aiutare a mantenere un peso sano. Parla con un medico degli esercizi che sono più adatti al tuo caso. + L\'insonnia può farti mangiare molto più del necessario soprattutto come cibi spazzatura e di conseguenza può avere un impatto negativo sulla vostra salute. Essere sicuri di ottenere una buona notte di sonno e consultare uno specialista del sonno, se si riscontrano difficoltà. + Lo stress può avere un impatto negativo sul diabete, parla con il tuo medico o altri operatori sanitari per far fronte allo stress. + Visitare il tuo medico almeno una volta l\'anno e avere comunicazioni regolari durante tutto l\'anno è importante per i diabetici per prevenire qualsiasi improvvisa insorgenza di problemi di salute associati. + Prendi i farmaci come prescritti dal tuo medico, anche piccole variazioni possono incidere sul tuo livello di glucosio e causare effetti collaterali. Se hai difficoltà a ricordare chiedi al tuo medico come gestire i farmaci. + + + I diabetici di lunga data potrebbero avere un alto rischio di complicanze associate al diabete. Parla con il tuo medico su come l\'età giochi un ruolo nel tuo diabete e come monitorare questi rischi. + Limita la quantità di sale che usi per cucinare e che aggiungi ai pasti dopo la cottura. + + Assistente + AGGIORNA ORA + OK, CAPITO + INVIA FEEDBACK + AGGIUNGI UNA MISURAZIONE + Aggiorna il tuo peso + Aggiorna il peso regolarmente così Glucosio ha le informazioni più accurate. + Aggiorna la tua scelta di mandare il tuoi dati in modo anonimo ai gruppo di ricerca + Puoi sempre acconsentire o meno alla condivisione dei dati a favore della ricerca sul diabete, ma ricorda che tutti i dati condivisi sono completamente anonimi. Condividiamo solo dati demografici e le tendenze dei livelli di glucosio. + Crea categorie + Glucosio ha delle categorie di default per l\'immissione dei valori di glucosio, ma puoi creare categorie personalizzate nelle impostazioni per soddisfare le tue necessità. + Controllare spesso qui + L\'assistente di Glucosio fornisce constanti suggerimenti e continuerà a migliorare, perciò controlla sempre qui azioni che possono migliorare la tua esperienza d\'uso di Glucosio e altri utili consigli. + Invia feedback + Se trovi eventuali problemi tecnici o hai feedback su Glucosio ti invitiamo a presentarli nel menu impostazioni, al fine di aiutarci a migliorare Glucosio. + Aggiungi una lettura + Assicurati di aggiungere regolarmente le letture dela tua glicemia, così possiamo aiutarti a monitorare i livelli di glucosio nel corso del tempo. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Intervallo desiderato + Intervallo personalizzato + Valore minimo + Valore massimo + PROVALO ORA diff --git a/app/src/main/res/values-iu/google-playstore-strings.xml b/app/src/main/res/values-iu/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-iu/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-iu/strings.xml b/app/src/main/res/values-iu/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-iu/strings.xml +++ b/app/src/main/res/values-iu/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-ja/google-playstore-strings.xml b/app/src/main/res/values-ja/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-ja/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-ja/strings.xml b/app/src/main/res/values-ja/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-ja/strings.xml +++ b/app/src/main/res/values-ja/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-jbo/google-playstore-strings.xml b/app/src/main/res/values-jbo/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-jbo/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-jbo/strings.xml b/app/src/main/res/values-jbo/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-jbo/strings.xml +++ b/app/src/main/res/values-jbo/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-jv/google-playstore-strings.xml b/app/src/main/res/values-jv/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-jv/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-jv/strings.xml b/app/src/main/res/values-jv/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-jv/strings.xml +++ b/app/src/main/res/values-jv/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-ka/google-playstore-strings.xml b/app/src/main/res/values-ka/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-ka/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-ka/strings.xml b/app/src/main/res/values-ka/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-ka/strings.xml +++ b/app/src/main/res/values-ka/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-kab/google-playstore-strings.xml b/app/src/main/res/values-kab/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-kab/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-kab/strings.xml b/app/src/main/res/values-kab/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-kab/strings.xml +++ b/app/src/main/res/values-kab/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-kdh/google-playstore-strings.xml b/app/src/main/res/values-kdh/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-kdh/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-kdh/strings.xml b/app/src/main/res/values-kdh/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-kdh/strings.xml +++ b/app/src/main/res/values-kdh/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-kg/google-playstore-strings.xml b/app/src/main/res/values-kg/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-kg/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-kg/strings.xml b/app/src/main/res/values-kg/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-kg/strings.xml +++ b/app/src/main/res/values-kg/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-kj/google-playstore-strings.xml b/app/src/main/res/values-kj/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-kj/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-kj/strings.xml b/app/src/main/res/values-kj/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-kj/strings.xml +++ b/app/src/main/res/values-kj/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-kk/google-playstore-strings.xml b/app/src/main/res/values-kk/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-kk/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-kk/strings.xml b/app/src/main/res/values-kk/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-kk/strings.xml +++ b/app/src/main/res/values-kk/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-kl/google-playstore-strings.xml b/app/src/main/res/values-kl/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-kl/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-kl/strings.xml b/app/src/main/res/values-kl/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-kl/strings.xml +++ b/app/src/main/res/values-kl/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-km/google-playstore-strings.xml b/app/src/main/res/values-km/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-km/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-km/strings.xml b/app/src/main/res/values-km/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-km/strings.xml +++ b/app/src/main/res/values-km/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-kmr/google-playstore-strings.xml b/app/src/main/res/values-kmr/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-kmr/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-kmr/strings.xml b/app/src/main/res/values-kmr/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-kmr/strings.xml +++ b/app/src/main/res/values-kmr/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-kn/google-playstore-strings.xml b/app/src/main/res/values-kn/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-kn/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-kn/strings.xml b/app/src/main/res/values-kn/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-kn/strings.xml +++ b/app/src/main/res/values-kn/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-ko/google-playstore-strings.xml b/app/src/main/res/values-ko/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-ko/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-ko/strings.xml b/app/src/main/res/values-ko/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-ko/strings.xml +++ b/app/src/main/res/values-ko/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-kok/google-playstore-strings.xml b/app/src/main/res/values-kok/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-kok/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-kok/strings.xml b/app/src/main/res/values-kok/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-kok/strings.xml +++ b/app/src/main/res/values-kok/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-ks/google-playstore-strings.xml b/app/src/main/res/values-ks/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-ks/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-ks/strings.xml b/app/src/main/res/values-ks/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-ks/strings.xml +++ b/app/src/main/res/values-ks/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-ku/google-playstore-strings.xml b/app/src/main/res/values-ku/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-ku/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-ku/strings.xml b/app/src/main/res/values-ku/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-ku/strings.xml +++ b/app/src/main/res/values-ku/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-kv/google-playstore-strings.xml b/app/src/main/res/values-kv/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-kv/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-kv/strings.xml b/app/src/main/res/values-kv/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-kv/strings.xml +++ b/app/src/main/res/values-kv/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-kw/google-playstore-strings.xml b/app/src/main/res/values-kw/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-kw/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-kw/strings.xml b/app/src/main/res/values-kw/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-kw/strings.xml +++ b/app/src/main/res/values-kw/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-ky/google-playstore-strings.xml b/app/src/main/res/values-ky/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-ky/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-ky/strings.xml b/app/src/main/res/values-ky/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-ky/strings.xml +++ b/app/src/main/res/values-ky/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-la/google-playstore-strings.xml b/app/src/main/res/values-la/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-la/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-la/strings.xml b/app/src/main/res/values-la/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-la/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-lb/google-playstore-strings.xml b/app/src/main/res/values-lb/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-lb/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-lb/strings.xml b/app/src/main/res/values-lb/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-lb/strings.xml +++ b/app/src/main/res/values-lb/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-lg/google-playstore-strings.xml b/app/src/main/res/values-lg/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-lg/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-lg/strings.xml b/app/src/main/res/values-lg/strings.xml old mode 100755 new mode 100644 index 8c2b4491..cde93df5 --- a/app/src/main/res/values-lg/strings.xml +++ b/app/src/main/res/values-lg/strings.xml @@ -1,9 +1,75 @@ + Glucosio + Setingi + Werezza obubaka + Overview Ebyafayo + Obubonero Hallo. - + Gyebale. + Endagano ye Enkozesa + Mazze okusoma atte nzikiriza Endagano Z\'enkozesa + Ebintu ebiri ku mutingabagano ne appu za Glucosio, nga ebigambo, grafikis, ebifananyi ne ebintu ebikozesebwa ebirala byona (\"Ebintu\") bya kusoma kwoka. Ebintu bino tebigendereddwa ku kuzesebwa mu kifo ky\'obubaka bwe ddwaliro obukugu, okeberwa oba obujanjjabi. Tuwaniriza abakozesa Glucosio buli kaseera okunonya obubaka obutufu obwo omusawo oba omujanjabi omulala omukugu ng\'obabuza ebibuzo byona byoyina ebikwatagana n\'ekirwadde kyona. Togana nga bubaka bw\'abasawo abakugu oba n\'olwawo okubunonya lwakuba oyina byosomye ku mutinbagano gwa Glucosio oba mu appu z\'affe. Omutinbagano, bulogo, Wiki n\'engeri endala ez\'okukatimbe (\"Omutinbagano\") biyina okozesebwa mungeri y\'oka nga wetugambye wangulu.\n Okweyunira ku bubaka obuwerebwa Glucosio, ba memba ba tiimu ya Glucosio, bamuzira-kisa nabalala abana beera ku mutinbagano oba mu appu zaffe mukikola ku bulabe bwamwe. Omutinbagano N\'ebiriko biwerebwa nga bwebiri. + Twetagayo ebintu bitono nga tetunakuyamba kutandika. + Ensi + Emyaka + Tusoba oyingizemu emyaka emitufu. + Gender + Musajja + Mukazi + Endala + Ekika kya Sukali + Ekika Ekisoka + Ekika Eky\'okubiri + Empima Gy\'oyagala + Gaba obubaka bwa risaaki nga tekuli manya. + Osobola okukyusa setingi zino edda. + EKIDAKO + TANDIKA + Tewanabawo bubaka. \n Gatta esomayo esooka wano. + Gata levo ya Sukari ali mu Musaayi wano + Obukwafu + Olunaku + Essawa + Ebipimiddwa + Nga tonanywa kyayi + Ng\'omazze kyayi + Nga tonala ky\'emisana + Ng\'omazze okulya eky\'emisana + Nga tonalya ky\'eggulo + Ng\'omazze okulya eky\'eggulo + General + Ddamu okebere + Ekiro + Ebirala + SAZAMU + GATAKO + Tusaba oyingizemu enukutta entufu. + Tusaba ojuzzemu amabanga gona. + Sazamu + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -12,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -22,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-li/google-playstore-strings.xml b/app/src/main/res/values-li/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-li/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-li/strings.xml b/app/src/main/res/values-li/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-li/strings.xml +++ b/app/src/main/res/values-li/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-lij/google-playstore-strings.xml b/app/src/main/res/values-lij/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-lij/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-lij/strings.xml b/app/src/main/res/values-lij/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-lij/strings.xml +++ b/app/src/main/res/values-lij/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-ln/google-playstore-strings.xml b/app/src/main/res/values-ln/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-ln/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-ln/strings.xml b/app/src/main/res/values-ln/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-ln/strings.xml +++ b/app/src/main/res/values-ln/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-lo/google-playstore-strings.xml b/app/src/main/res/values-lo/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-lo/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-lo/strings.xml b/app/src/main/res/values-lo/strings.xml old mode 100755 new mode 100644 index c06a9be7..4d6bec01 --- a/app/src/main/res/values-lo/strings.xml +++ b/app/src/main/res/values-lo/strings.xml @@ -1,13 +1,19 @@ + Glucosio ຕັ້ງຄ່າ + ສົ່ງຂໍ້ຄິດເຫັນ ພາບລວມ ປະຫວັດ ເຄັດລັບ ສະບາຍດີ. ສະບາຍດີ. - ພາສາທີ່ທ່ານຫມັກ + ເງື່ອນໄຂການໃຊ້. + ຂ້ອຍໄດ້ອ່ານ ແລະ ຍອມຮັບເງື່ອນໄຂການນຳໃຊ້ແລ້ວ + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + ປະເທດ ອາຍຸ ກະລຸນາປ້ອນອາຍຸທີ່ຖືກຕ້ອງ. ເພດ @@ -18,7 +24,13 @@ ປະເພດທີ່ 1 ປະເພດທີ່ 2 ຫົວຫນ່ວຍທີ່ທ່ານມັກ - ເລີ່ມຕົ້ນນຳໃຊ້ເລີຍ + ແບ່ງປັນຂໍ້ມູນທີ່ບໍລະບູຊືສໍາລັບການຄົ້ນຄວ້າ. + ທ່ານສາມາດປ່ຽນແປງໃນການຕັ້ງຄ່າຕາມຫລັງ. + ຕໍ່ໄປ + ເລີ່ມຕົ້ນນຳໃຊ້ເລີຍ + ຍັງບໍ່ມີຂໍ້ຫຍັງເທື່ອ. \n ເພີ່ມການອ່ານທຳອິດຂອງທ່ານເຂົ້າໃນນີ້. + ເພີ່ມລະດັບເລືອດ Glucose + ຄວາມເຂັ້ມຂຸ້ນ ວັນທີ່ ເວລາ ການວັດແທກ @@ -28,24 +40,45 @@ ກ່ອນຮັບປະທ່ານອາຫານທ່ຽງ ຫລັງຮັບປະທ່ານອາຫານຄຳ ກ່ອນຮັບປະທ່ານອາຫານຄຳ + ທົ່ວໄປ + ກວດຄືນ + ຕອນກາງຄືນ + ອື່ນໆ ອອກ ເພີ່ມ + ກະລຸນາໃສ່ຄ່າຂໍ້ມູນທີ່ຖືກຕ້ອງ. ກະລຸນາຕື່ມໃສ່ໃຫ້ຄົບທຸກຫ້ອງ. ລຶບ ແກ້ໄຂ + 1 reading deleted ເອົາກັບຄືນ ກວດສອບຄັ້ງຫຼ້າສຸດ: - ເຄັດລັບ - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + ກ່ຽວກັບ + ຫລູ້ນ + ເງື່ອນໄຂການໃຊ້ + ປະເພດ + Weight + Custom measurement category + + ຮັບປະທານອາຫານສົດໆເພື່ອຊ່ວຍລຸດປະລິມານທາດນໍ້ຕານ ແລະ ແປ້ງ. + ອ່ານປ້າຍທາງໂພຊະນາການຢູ່ກ່ອງອາຫານ ແລະ ເຄື່ອງດື່ມໃນການຄວບຄຸມທາດນ້ຳຕານ ແລະ ທາດແປ້ງ. + ເວລາທີ່ໄປຮັບປະທານອາຫານນອກບ້ານຂໍໃຫ້ສັງປີ້ງປາ ຫລື ຊີ້ນທີ່ບໍ່ມີເນີຍ ຫລື ນໍ້າມັນ. + ເວລາທີ່ໄປຮັບປະທານອາຫານນອກບ້ານໃຫ້ຖາມເບິງອາຫານທີ່ມີທາດໂຊດຽມຕຳ. When eating out, eat the same portion sizes you would at home and take the leftovers to go. When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -55,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + ຜູ້ຊ່ວຍ + ອັບເດດຕອນນີ້ເລີຍ + Ok, ເຂົ້າໃຈແລ້ວ + ສົ່ງຄໍາຄິດເຫັນ + ເພີ່ມການອ່ານ + ອັບເດດນ້ຳຫນັກຂອງທ່ານ + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + ສົ່ງຄໍາຄິດເຫັນ + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + ເພີ່ມການອ່ານ + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-lt/google-playstore-strings.xml b/app/src/main/res/values-lt/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-lt/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-lt/strings.xml b/app/src/main/res/values-lt/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-lt/strings.xml +++ b/app/src/main/res/values-lt/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-luy/google-playstore-strings.xml b/app/src/main/res/values-luy/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-luy/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-luy/strings.xml b/app/src/main/res/values-luy/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-luy/strings.xml +++ b/app/src/main/res/values-luy/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-lv/google-playstore-strings.xml b/app/src/main/res/values-lv/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-lv/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-lv/strings.xml b/app/src/main/res/values-lv/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-lv/strings.xml +++ b/app/src/main/res/values-lv/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-mai/google-playstore-strings.xml b/app/src/main/res/values-mai/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-mai/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-mai/strings.xml b/app/src/main/res/values-mai/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-mai/strings.xml +++ b/app/src/main/res/values-mai/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-me/google-playstore-strings.xml b/app/src/main/res/values-me/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-me/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-me/strings.xml b/app/src/main/res/values-me/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-me/strings.xml +++ b/app/src/main/res/values-me/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-mg/google-playstore-strings.xml b/app/src/main/res/values-mg/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-mg/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-mg/strings.xml b/app/src/main/res/values-mg/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-mg/strings.xml +++ b/app/src/main/res/values-mg/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-mh/google-playstore-strings.xml b/app/src/main/res/values-mh/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-mh/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-mh/strings.xml b/app/src/main/res/values-mh/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-mh/strings.xml +++ b/app/src/main/res/values-mh/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-mi/google-playstore-strings.xml b/app/src/main/res/values-mi/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-mi/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-mi/strings.xml b/app/src/main/res/values-mi/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-mi/strings.xml +++ b/app/src/main/res/values-mi/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-mk/google-playstore-strings.xml b/app/src/main/res/values-mk/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-mk/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-mk/strings.xml b/app/src/main/res/values-mk/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-mk/strings.xml +++ b/app/src/main/res/values-mk/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-ml/google-playstore-strings.xml b/app/src/main/res/values-ml/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-ml/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-ml/strings.xml b/app/src/main/res/values-ml/strings.xml new file mode 100644 index 00000000..2c309d11 --- /dev/null +++ b/app/src/main/res/values-ml/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + സജ്ജീകരണങ്ങള്‍ + Send feedback + മേല്‍കാഴ്ച + നാള്‍വഴി + സൂത്രങ്ങള്‍ + നമസ്കാരം. + നമസ്കാരം. + ഉപയോഗനിബന്ധനകൾ. + ഞാൻ നിബന്ധനകൾ അംഗീകരിക്കുന്നു + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + രാജ്യം + വയസ്സു് + ഒരു സാധുതയുള്ള വയസ്സ് നൽകുക. + ലിംഗം + പുരുഷന്‍ + സ്ത്രീ + മറ്റുള്ളവ + പ്രമേഹത്തിന്റെ വിധം + ടൈപ്പു് 1 + ടൈപ്പു് 2 + ഉപയോഗിക്കേണ്ട ഏകകം + നിരീക്ഷണത്തിനായി വിവരങ്ങൾ നൽകുക. + ഇത് പിന്നീട് മാറ്റാവുന്നതാണു്. + അടുത്തത് + തുടങ്ങാം + ഒരു വിവരവും ലഭ്യമല്ല \n ആദ്യ നിരീക്ഷണം ചേർക്കുക. + രക്തത്തിലെ ഗ്ലൂക്കോസിന്റെ അളവു് ചേര്‍ക്കൂ + ഗാഢത + തീയതി + സമയം + അളന്നതു് + പ്രാതലിനു് മുമ്പു് + പ്രാതലിനു് ശേഷം + ഉച്ചയൂണിനു് മുമ്പു് + ഉച്ചയൂണിനു് ശേഷം + അത്താഴത്തിനു് മുമ്പു് + അത്താഴത്തിനു് ശേഷം + പൊതുവായത് + വീണ്ടും നോക്കുക + രാത്രി + മറ്റുള്ളവ + വേണ്ട + ചേര്‍ക്കൂ + ഒരു സാധുതയുള്ള മൂല്യം ചേർക്കുക. + ദയവായി എല്ലാ കോളങ്ങളും പൂരിപ്പിക്കുക. + നീക്കം ചെയ്യുക + മാറ്റം വരുത്തുക + 1 നിരീക്ഷണം മായിച്ചിരിക്കുന്നു + തിരുത്തുക + അവസാന നോട്ടം: + ഈ മാസത്തിലെ പോക്കു്: + പരിധിക്കുള്ളിൽ, ആരോഗ്യകരം + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + സംബന്ധിച്ച് + പതിപ്പ് + ഉപയോഗനിബന്ധനകൾ + തരം + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + സഹായി + ഇപ്പോൾ പുതുക്കുക + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-mn/google-playstore-strings.xml b/app/src/main/res/values-mn/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-mn/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-mn/strings.xml b/app/src/main/res/values-mn/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-mn/strings.xml +++ b/app/src/main/res/values-mn/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-moh/google-playstore-strings.xml b/app/src/main/res/values-moh/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-moh/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-moh/strings.xml b/app/src/main/res/values-moh/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-moh/strings.xml +++ b/app/src/main/res/values-moh/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-mos/google-playstore-strings.xml b/app/src/main/res/values-mos/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-mos/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-mos/strings.xml b/app/src/main/res/values-mos/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-mos/strings.xml +++ b/app/src/main/res/values-mos/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-mr/google-playstore-strings.xml b/app/src/main/res/values-mr/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-mr/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-mr/strings.xml b/app/src/main/res/values-mr/strings.xml old mode 100755 new mode 100644 index 2fa846d3..aaafd8eb --- a/app/src/main/res/values-mr/strings.xml +++ b/app/src/main/res/values-mr/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + सेटिंग्स + प्रतिक्रिया पाठवा + सारांश + इतिहास + टिपा + नमस्कार. + नमस्कार. + वापराच्या अटी + मी वापराच्या अटी वाचल्या आहेत आणि त्या मान्य करतो + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + आपण सुरु करण्या आधी काही आम्हाला काही झटपट गोष्टी हव्या आहेत. + देश + वय + Please enter a valid age. + लिंग + पुरुष + महिला + इतर + मधुमेह + प्रकार १ + प्रकार २ + एककाचे प्राधान्य + Share anonymous data for research. + आपण नंतर ह्या सेटिंग्स मधे बदलु शकता. + पुढे + सुरुवात करा + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + दिनांक + वेळ + मोजले + न्याहारी आधी + न्याहारी नंतर + जेवणाआधी + जेवणानंतर + जेवणाआधी + जेवणानंतर + एकंदर + पुनःतपासा + रात्र + इतर + रद्द + जोडा + Please enter a valid value. + Please fill all the fields. + नष्ट + संपादन + 1 reading deleted + UNDO + शेवटची तपासणी: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + या बद्दल + आवृत्ती + वापराच्या अटी + प्रकार + वजन + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-ms/google-playstore-strings.xml b/app/src/main/res/values-ms/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-ms/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-ms/strings.xml b/app/src/main/res/values-ms/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-ms/strings.xml +++ b/app/src/main/res/values-ms/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-mt/google-playstore-strings.xml b/app/src/main/res/values-mt/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-mt/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-mt/strings.xml b/app/src/main/res/values-mt/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-mt/strings.xml +++ b/app/src/main/res/values-mt/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-my/google-playstore-strings.xml b/app/src/main/res/values-my/google-playstore-strings.xml new file mode 100644 index 00000000..9c114a1c --- /dev/null +++ b/app/src/main/res/values-my/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + အ​သေးစိတ်။ + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-my/strings.xml b/app/src/main/res/values-my/strings.xml old mode 100755 new mode 100644 index 2fa846d3..e936c342 --- a/app/src/main/res/values-my/strings.xml +++ b/app/src/main/res/values-my/strings.xml @@ -1,17 +1,85 @@ - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Glucosio + အပြင်အဆင်များ + အကြံပြုချက်​ပေးရန် + ခြုံငုံကြည့်ခြင်း + မှတ်တမ်း + အကြံပြုချက်များ + မင်္ဂလာပါ။ + မင်္ဂလာပါ။ + သုံးစွဲမှု စည်းကမ်းချက်များ + သုံးစွဲမှု စည်းကမ်းချက်များကို ဖတ်ရှုထားပါသည်။ ထို့ပြင် သဘောတူလက်ခံပါသည်။ + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + သင် စတင် အသုံးမပြုမီ လျင်မြန်စွာ ဆောင်ရွက်နိုင်သည့် အချက်အနည်းငယ် ဆောင်ရွက်ရန် လိုအပ်ပါသည်။ + နိုင်ငံ + အသက် + ကျေးဇူးပြု၍ မှန်ကန်သော အသက်ကို ဖြည့်ပါ။ + လိင် + ကျား + + အခြား + ဆီးချို အမျိုးအစား + အမျိုးအစား ၁ + အမျိုးအစား ၂ + အသုံးပြုလိုသော အတိုင်းအတာ + သုတေသနအတွက် အချက်အလက်ကို မျှဝေပါ (အမျိုးအမည် မဖော်ပြပါ)။ + သင် ဒီအရာကို အပြင်အဆင်များထဲတွင် ပြောင်းလဲနိုင်သည်။ + ရှေ့သို့ + စတင်မည် + မည်သည့်အချက်အလက်မျှ မရနိုင်သေးပါ။ \n သင့် ပထမဆုံး ပြန်ဆိုချက်ကို ဒီမှာ ထည့်ပါ။ + သွေးထဲရှိ အချိုဓါတ် အဆင့်ကို ဖြည့်ပါ + ဒြပ် ပါဝင်မှု + နေ့စွဲ + အချိန် + တိုင်းထွာပြီး + မနက်စာ မစားမီ + မနက်စာ စားပြီး + နေ့လည်စာ မစားမီ + နေ့လည်စာ စားပြီး + ညစာ မစားမီ + ညစာ စားပြီး + အထွေထွေ + ပြန်လည် စစ်ဆေးရန် + + အခြား + မလုပ်တော့ပါ + ထည့်ရန် + ကျေးဇူးပြု၍ မှန်ကန်သော တန်ဖိုးကို ဖြည့်ပါ။ + ကျေးဇူးပြု၍ ကွက်လပ်အားလုံးကို ဖြည့်ပေးပါ။ + ဖျက်ရန် + ပြင်ရန် + ပြန်ဆိုချက် ၁ ခု ဖျက်ပြီး + UNDO + နောက်ဆုံး စစ်ဆေးမှု။ + လွန်ခဲ့သော လ အတွက် ဦးတည်ချက်။ + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + အကြောင်း + ဗားရှင်း + သုံးစွဲမှု စည်းကမ်းချက်များ + အမျိုးအစား + ကိုယ်အ​လေးချိန် + စိတ်ကြိုက် တိုင်းထွာမှု အတန်းအစား + + ကစီဓါတ်နှင့် သကြားပါဝင်မှုကို လျှော့ချရန် လတ်ဆတ်သော၊ မပြုပြင် မစီရင်ထားသည့် အစားအစာများကို စားပါ။ + သကြားနှင့် ကစီပါဝင်မှုကို ထိန်းချုပ်ရန် ထုပ်ပိုးအစားအစာများနှင့် သောက်စရာများပေါ်ရှိ အာဟာရ အညွှန်းကို ဖတ်ပါ။ + ဆိုင်များတွင် စားသောက်လျှင် ထောပတ် သို့မဟုတ် ဆီ မသုံးပဲ ကင်ထားသည့် အသား သို့မဟုတ် ငါး ကို တောင်းဆိုပါ။ + ဆိုင်များတွင် စားသောက်လျှင် အငန်ဓါတ် ပါဝင်မှုနှုန်း နည်းသည့် ဟင်းလျာများ ရှိမရှိ မေးပါ။ + ဆိုင်များတွင် စားသောက်လျှင် အိမ်တွင် စားနေကျ ပမာဏအတိုင်း စားပါ။ မကုန်လျှင် အိမ်သို့ ထုပ်ပိုးသွားပါ။ + ဆိုင်များတွင် စားသောက်သောအခါ (အစားအသောက်စာရင်းတွင် မပါဝင်လျှင်တောင်မှ) အသီးအရွက်သုပ်ကဲ့သို့ ကယ်လိုရီနည်းသည့် အစားအသောက်များကို မှာစားပါ။ + ဆိုင်များတွင် စားသောက်သောအခါ အစားထိုးစားသောက်နိုင်သည်များကို မေးပါ။ ပြင်သစ်အာလူးကြော်အစား အသီးအရွက်သုပ်၊ ဗိုလ်စားပဲ သို့မဟုတ် ပန်းဂေါ်ဖီစိမ်းကဲ့သို့ အသီးအနှံ၊ ဟင်းသီးဟင်းရွက်ကို နှစ်ပွဲ မှာယူစားသုံးပါ။ + ဆိုင်များတွင် စားသောက်သောအခါ ဖုတ်ထားခြင်း၊ ကြော်လှော်ထားခြင်း မဟုတ်သည့် အစားအသောက်များကို မှာယူစားသုံးပါ။ + ဆိုင်များတွင် စားသောက်သောအခါ အချဉ်ရည်၊ ဟင်းနှစ်ရည်နှင့် အသုပ်ဆမ်း ဟင်းနှစ်ရည်တို့ကို ဟင်းရံအနေဖြင့် မေးမြန်းမှာယူပါ။ + သကြားမပါဝင်ပါ သည် တကယ်သကြားမပါဝင်ဟု မဆိုလိုပါ။ ၄င်းသည် တစ်ပွဲတွင် သကြား 0.5 ဂရမ် ပါဝင်သည်ဟု ဆိုလိုသည်။ ထို့ကြောင့် သကြားမပါဝင်ဟုဆိုသည့် အရာများကို လွန်လွန်ကျူးကျူး မစားသုံးမိရန် သတိပြုစေလိုပါသည်။ Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + သင်၏ဆရာဝန်နှင့် တစ်နှစ်တစ်ကြိမ် ပြသခြင်းနှင့် နှစ်ကုန်တိုင်း ပုံမှန် အဆက်အသွယ် ရှိနေခြင်းက ရုတ်တရက်ဖြစ်မည့် ကျန်းမာရေးပြဿနာများ ဖြစ်ခြင်းမှ ကာဖို့အတွက် အရေးကြီးသည်. + သင်၏ဆေးဝါးအတွင်းရှိ သေးငယ်သော ဆေးပမာဏသည်ပင်လျှင် သင်၏သွေး ဂလူးကို့စ် ပမာဏနှင့် အခြားသော ဘေးထွက်ဆိုးကျိုးများဖြစ်နိုင်သောကြောင့် ဆရာဝန်ညွှန်ကြားထားသည့်အတိုင်း ဆေးဝါးများကို သောက်သုံးပါ. မှတ်မိဖို့ ခက်ခဲပါက ဆေးဝါး စီမံခန့်ခွဲခြင်းနှင့် အသိပေးချက် အကြောင်းကို ဆရာဝန် ကို မေးပါ. + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + အကူ + အခုပဲ အဆင့်မြှင့်ပါ + အိုကေ၊ ရပြီ + အကြံပြုချက် ပေးရန် + ပြန်ဆိုချက် ထည့်ရန် + သင့် ကိုယ်အလေးချိန်ကို ပြင်ရန် + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + အတန်းအစား ဖန်တီးရန် + ဂလူးကို့စ် အချက်အလက်အတွက် Glucosio က ပုံသေ ကဏ္ဍများဖြင့် ထည့်သွင်းထားပါသည် သို့ရာတွင် သင်၏လိုအပ်ချက်နှင့် ကိုက်ညီရန် စိတ်ကြိုက်ကဏ္ဍများကို အပြင်အဆင်များထဲတွင် ဖန်တီးနိုင်ပါသည်. + ဒီနေရာကို မကြာခဏ စစ်ဆေးပါ + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + အကြံပြုချက် ပေးပို့ရန် + နည်းပညာ အခက်အခဲများ သို့မဟုတ် Glucosio နှင့် ပတ်သက်၍ တုံ့ပြန်လိုပါက Glucosio ကို ပိုမိုကောင်းမွန်ဖို့ ကူညီရန် အပြင်အဆင် စာရင်းတွင် ကျွန်ုပ်တို့ကို ပေးပို့ပါ. + ပြန်ဆိုချက် တစ်ခု ထည့်ပါ + သင်၏ ဂလူးကို့စ် ဖတ်ခြင်းကို ပုံမှန် ဖြစ်အောင်လုပ်ပေးပါ အဲလိုဆိုရင် ကျွန်ုပ်တို့က သင်၏ဂလူးကို့စ် ပမာဏကို အချိန်တိုင်း စောင့်ကြည့်ဖို့ ကူညီမှာပါ. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + အနည်းဆုံး တန်ဖိုး + အများဆုံး တန်ဖိုး + TRY IT NOW diff --git a/app/src/main/res/values-na/google-playstore-strings.xml b/app/src/main/res/values-na/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-na/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-na/strings.xml b/app/src/main/res/values-na/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-na/strings.xml +++ b/app/src/main/res/values-na/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-nb/google-playstore-strings.xml b/app/src/main/res/values-nb/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-nb/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-nb/strings.xml b/app/src/main/res/values-nb/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-nb/strings.xml +++ b/app/src/main/res/values-nb/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-nds/google-playstore-strings.xml b/app/src/main/res/values-nds/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-nds/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-nds/strings.xml b/app/src/main/res/values-nds/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-nds/strings.xml +++ b/app/src/main/res/values-nds/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-ne/google-playstore-strings.xml b/app/src/main/res/values-ne/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-ne/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-ne/strings.xml b/app/src/main/res/values-ne/strings.xml new file mode 100644 index 00000000..d1c77070 --- /dev/null +++ b/app/src/main/res/values-ne/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + सेटिङहरु + प्रतिक्रिया पठाउनुहोस् + सर्वेक्षण + इतिहास + सुझाव + नमस्कार। + नमस्कार। + उपयोग सर्तहरु। + मैले उपयोग सर्तहरु पढिसकेँ र स्वीकार गर्दछु + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + शुरुवात गर्नु अघि हामिलाई केहि कुराहरु चाहिनेछ। + देश + उमेर + कृपया ठिक उमेर हाल्नुहोला। + लिङ्ग + पुरुष + महिला + अन्य + मधुमेहको प्रकार + प्रकार १ + प्रकार २ + Preferred unit + Share anonymous data for research. + You can change these in settings later. + अर्को + शुरुवात गर्नुहोस्। + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + मिति + समय + नापिएको + बिहानी नाश्ता अघि + बिहानी नाश्ता पछि + खाजा अघि + खाजा पछि + रात्री भोजन अघि + रात्री भोजन पछि + साधारन + पुन:हेर्नुहोस् + रात्री + अन्य + रद्द + थप्नुहोस् + कृपया ठिक मान हाल्नुहोस्। + कृपया सबै क्षेत्रहरु भर्नुहोस्। + हटाउनुहोस + सम्पादन + एउटा हटाइयो + undo + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-ng/google-playstore-strings.xml b/app/src/main/res/values-ng/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-ng/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-ng/strings.xml b/app/src/main/res/values-ng/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-ng/strings.xml +++ b/app/src/main/res/values-ng/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-nl/google-playstore-strings.xml b/app/src/main/res/values-nl/google-playstore-strings.xml new file mode 100644 index 00000000..dfc4cb73 --- /dev/null +++ b/app/src/main/res/values-nl/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is een gebruikersgerichte gratis en opensource-app voor mensen met diabetes + Door Glucosio te gebruiken kunt u bloedsuikerspiegels invoeren en bijhouden, anoniem diabetesonderzoek steunen door demografische en geanonimiseerde trends in glucosegehalten te delen, en nuttige tips verkrijgen via onze assistent. Glucosio respecteert uw privacy, en u houdt altijd de controle over uw gegevens. + * Gebruikersgericht. Glucosio-apps zijn gebouwd met functies en een ontwerp die aan de wens van de gebruiker voldoen, en we staan altijd open voor feedback ter verbetering. + * Open source. Glucosio-apps bieden de vrijheid om de broncode van al onze apps te gebruiken, kopiëren, bestuderen en te wijzigen en zelfs aan het Glucosio-project mee te werken. + * Gegevens beheren. Met Glucosio kunt u uw diabetesgegevens bijhouden en beheren vanuit een intuïtieve, moderne interface die met feedback van diabetici is gebouwd. + * Onderzoek steunen. Glucosio-apps bieden gebruikers de keuze te opteren voor het delen van geanonimiseerde diabetesgegevens en demografische info met onderzoekers. + Meld eventuele bugs, problemen of aanvragen voor functies op: + https://github.com/glucosio/android + Meer details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-nl/strings.xml b/app/src/main/res/values-nl/strings.xml old mode 100755 new mode 100644 index b148c694..33ca9d2c --- a/app/src/main/res/values-nl/strings.xml +++ b/app/src/main/res/values-nl/strings.xml @@ -1,14 +1,19 @@ + Glucosio Instellingen + Feedback verzenden Overzicht Geschiedenis Tips Hallo. Hallo. + Gebruiksvoorwaarden. + Ik heb de gebruiksvoorwaarden gelezen en geaccepteerd + De inhoud van de Glucosio-website en -apps, zoals tekst, afbeeldingen en ander materiaal (\'Inhoud\'), dient alleen voor informatieve doeleinden. De inhoud is niet bedoeld als vervanging voor professioneel medisch(e) advies, diagnose of behandeling. Gebruikers van Glucosio wordt aanbevolen bij eventuele vragen over een medische toestand altijd het advies van uw arts of andere gekwalificeerde gezondheidszorgverlener te raadplegen. Negeer nooit professioneel medisch advies en vermijd vertraging in het opvragen ervan omdat u iets op de Glucosio-website of in onze apps hebt gelezen. De Glucosio-website, -blog, -wiki en andere via een webbrowser toegankelijke inhoud (\'Website\') dienen alleen voor het hierboven beschreven doel te worden gebruikt.\n Het vertrouwen op enige informatie die door Glucosio, Glucosio-teamleden, vrijwilligers en anderen wordt aangeboden en op de website of in onze apps verschijnt, is geheel op eigen risico. De Website en de Inhoud worden op een ‘as is’-basis aangeboden. We hebben even wat info nodig voordat u aan de slag kunt. - Voorkeurstaal + Land Leeftijd Voer een geldige leeftijd in. Geslacht @@ -21,8 +26,9 @@ Voorkeurseenheid Anonieme gegevens delen voor onderzoek U kunt dit later wijzigen in de instellingen. - AAN DE SLAG - Geen gegevens beschikbaar. \n Voeg hier uw eerste toe. + VOLGENDE + AAN DE SLAG + Nog geen info beschikbaar. \n Voeg hier uw eerste uitlezing toe. Bloedsuikerspiegel toevoegen Concentratie Datum @@ -34,8 +40,13 @@ Na de lunch Voor het avondeten Na het avondeten + Algemeen + Opnieuw controleren + Nacht + Anders ANNULEREN TOEVOEGEN + Voer een geldige waarde in. Vul alle velden in. Verwijderen Bewerken @@ -44,32 +55,82 @@ Laatste controle: Trend in afgelopen maand: binnen bereik en gezond - Tip - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + Maand + Dag + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + Over + Versie + Gebruiksvoorwaarden + Type + Gewicht + Categorie met eigen metingen + + Eet meer vers, onverwerkt voedsel om inname van koolhydraten en suikers te verminderen. + Lees het voedingslabel op voorverpakt voedsel en drinkwaren om inname van suikers en koolhydraten te beheersen. + Als u buiten de deur eet, vraag dan om vis of vlees dat zonder extra boter of olie is gebakken. + Als u buiten de deur eet, vraag dan om zoutarme schotels. + Als u buiten de deur eet, hanteer dan dezelfde portiegroottes als dat u thuis zou doen en neem mee wat over is. + Als u buiten de deur eet, vraag dan om items met weinig calorieën, zoals saladedressings, zelfs als ze niet op het menu staan. + Als u buiten de deur eet, vraag dan om vervangingen. Vraag in plaats van patat om een dubbele portie van iets vegetarisch, zoals salade, sperziebonen of broccoli. + Als u buiten de deur eet, bestel dan voedsel dat niet is gepaneerd of gebakken. + Als u buiten de deur eet, vraag dan om sauzen, jus en saladedressings \'aan de zijkant\'. + Suikervrij betekent niet echt suikervrij. Het betekent 0,5 gram (g) suiker per portie, dus voorkom dat u zich met te veel suikervrije items verwent. + Streven naar een gezond gewicht helpt bloedsuikers te beheersen. Uw arts, een diëtist en een fitnesstrainer kunnen u op weg helpen met een schema dat voor u werkt. + Twee maal per dag controleren en bijhouden van uw bloedspiegel in een app als Glucosio helpt u bewust te worden van resultaten van keuzes in voedsel en levensstijl. + Vraag om A1c-bloedtests om achter uw gemiddelde bloedsuikerspiegel van de afgelopen 2 tot 3 maanden te komen. Uw arts kan vertellen hoe vaak deze test dient te worden uitgevoerd. + Bijhouden hoeveel koolhydraten u verbruikt kan net zo belangrijk zijn als het controleren van bloedspiegels, omdat koolhydraten bloedsuikerspiegels beïnvloeden. Praat met uw arts of een diëtist over de inname van koolhydraten. + Het beheersen van bloeddruk-, cholesterol- en triglyceridenniveaus is belangrijk, omdat diabetici gevoelig zijn voor hartziekten. + Er zijn diverse dieetbenaderingen die u kunt nemen om gezonder te eten en uw diabetesresultaten te verbeteren. Zoek advies bij een diëtist over wat het beste voor u en uw budget werkt. + Het werken aan regelmatige lichaamsbeweging is met name belangrijk voor mensen met diabetes en kan u helpen op gezond gewicht te blijven. Praat met uw arts over oefeningen die passend voor u zijn. + Slaaptekort kan ervoor zorgen dat u meer eet, met name dingen zoals junkfood, met als resultaat dat uw gezondheid negatief wordt beïnvloed. Zorg voor een goede nachtrust en raadpleeg een slaapspecialist als u hier moeite mee hebt. + Stress kan een negatieve invloed hebben op diabetes. Praat met uw arts of andere gezondheidsspecialist over omgaan met stress. + Eenmaal per jaar uw arts bezoeken en het hele jaar door communiceren is belangrijk voor diabetici om eventuele plotselinge aanvang van gerelateerde gezondheidsproblemen te voorkomen. + Neem uw medicijnen zoals door uw arts voorgeschreven; zelfs korte pauzes in uw medicijninname kunnen uw bloedsuikerspiegel beïnvloeden en andere bijwerkingen veroorzaken. Als u moeite hebt met het onthouden ervan, vraag dan uw arts om medicatiebeheer en herinneringsopties. + + + Oudere diabetici kunnen een hoger risico op aan diabetes gerelateerde gezondheidsproblemen lopen. Praat met uw arts over in hoeverre uw leeftijd een rol speelt in uw diabetes en waar u op moet letten. + Beperk de hoeveelheid zout die u gebruikt om voedsel te koken en die u aan maaltijden toevoegt nadat het is gekookt. + + Assistent + NU BIJWERKEN + OK, BEGREPEN + FEEDBACK VERZENDEN + UITLEZING TOEVOEGEN + Uw gewicht bijwerken + Zorg ervoor dat u uw gewicht bijwerkt, zodat Glucosio de meest accurate gegevens bevat. + Uw onderzoeks-opt-in bijwerken + U kunt altijd opteren voor het delen van diabetesonderzoeksgegevens, maar onthoud dat alle gedeelde gegevens volledig anoniem zijn. We delen alleen trends in demografie en glucosegehalten. + Categorieën maken + Glucosio bevat standaardcategorieën voor glucose-invoer, maar in de instellingen kunt u eigen categorieën maken die aan uw unieke behoeften voldoen. + Kijk hier regelmatig + Glucosio-assistent levert regelmatig tips en wordt continu verbeterd, dus kijk altijd hier voor nuttige acties die u kunt nemen om uw Glucosio-ervaring te verbeteren en voor andere nuttige tips. + Feedback verzenden + Als u technische problemen tegenkomt of feedback over Glucosio hebt, zien we graag dat u deze indient in het instellingenmenu om Glucosio te helpen verbeteren. + Een uitlezing toevoegen + Zorg ervoor dat u regelmatig uw glucose-uitlezingen toevoegt, zodat we kunnen helpen uw glucosegehalten in de loop der tijd bij te houden. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Voorkeursbereik + Aangepast bereik + Min. waarde + Max. waarde + NU PROBEREN diff --git a/app/src/main/res/values-nn/google-playstore-strings.xml b/app/src/main/res/values-nn/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-nn/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-nn/strings.xml b/app/src/main/res/values-nn/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-nn/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-no/google-playstore-strings.xml b/app/src/main/res/values-no/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-no/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-no/strings.xml b/app/src/main/res/values-no/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-no/strings.xml +++ b/app/src/main/res/values-no/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-nr/google-playstore-strings.xml b/app/src/main/res/values-nr/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-nr/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-nr/strings.xml b/app/src/main/res/values-nr/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-nr/strings.xml +++ b/app/src/main/res/values-nr/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-nso/google-playstore-strings.xml b/app/src/main/res/values-nso/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-nso/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-nso/strings.xml b/app/src/main/res/values-nso/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-nso/strings.xml +++ b/app/src/main/res/values-nso/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-ny/google-playstore-strings.xml b/app/src/main/res/values-ny/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-ny/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-ny/strings.xml b/app/src/main/res/values-ny/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-ny/strings.xml +++ b/app/src/main/res/values-ny/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-oc/google-playstore-strings.xml b/app/src/main/res/values-oc/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-oc/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-oc/strings.xml b/app/src/main/res/values-oc/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-oc/strings.xml +++ b/app/src/main/res/values-oc/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-oj/google-playstore-strings.xml b/app/src/main/res/values-oj/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-oj/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-oj/strings.xml b/app/src/main/res/values-oj/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-oj/strings.xml +++ b/app/src/main/res/values-oj/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-om/google-playstore-strings.xml b/app/src/main/res/values-om/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-om/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-om/strings.xml b/app/src/main/res/values-om/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-om/strings.xml +++ b/app/src/main/res/values-om/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-or/google-playstore-strings.xml b/app/src/main/res/values-or/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-or/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-or/strings.xml b/app/src/main/res/values-or/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-or/strings.xml +++ b/app/src/main/res/values-or/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-os/google-playstore-strings.xml b/app/src/main/res/values-os/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-os/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-os/strings.xml b/app/src/main/res/values-os/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-os/strings.xml +++ b/app/src/main/res/values-os/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-pa/google-playstore-strings.xml b/app/src/main/res/values-pa/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-pa/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-pa/strings.xml b/app/src/main/res/values-pa/strings.xml new file mode 100644 index 00000000..a211cb39 --- /dev/null +++ b/app/src/main/res/values-pa/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + ਸੈਟਿੰਗ + ਫੀਡਬੈਕ ਭੇਜੋ + ਸੰਖੇਪ ਜਾਣਕਾਰੀ + ਇਤਿਹਾਸ + ਨੁਕਤੇ + ਹੈਲੋ। + ਹੈਲੋ। + ਵਰਤੋਂ ਦੀਆਂ ਸ਼ਰਤਾਂ। + ਮੈਂ ਵਰਤੋਂ ਦੀਆਂ ਸ਼ਰਤਾਂ ਨੂੰ ਪੜ੍ਹਿਆ ਅਤੇ ਸਵੀਕਾਰ ਕਰਦਾ ਹਾਂ + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + ਤੁਹਾਨੂੰ ਸ਼ੁਰੂ ਕਰਵਾਉਣ ਤੋਂ ਪਹਿਲਾਂ ਸਾਨੂੰ ਸਿਰਫ਼ ਕੁੱਝ ਚੀਜ਼ਾਂ ਦੀ ਜ਼ਰੂਰਤ ਹੈ। + ਦੇਸ਼ + ਉਮਰ + ਕਿਰਪਾ ਕਰਕੇ ਸਹੀ ਉਮਰ ਦਰਜ ਕਰੋ। + ਲਿੰਗ + ਮਰਦ + ਔਰਤ + ਹੋਰ + ਸ਼ੂਗਰ ਦੀ ਕਿਸਮ + ਕਿਸਮ 1 + ਕਿਸਮ 2 + ਤਰਜੀਹੀ ਇਕਾਈ + ਖੋਜ ਲਈ ਗੁਮਨਾਮ ਡਾਟਾ ਸਾਂਝਾ ਕਰੋ। + ਬਾਅਦ ਵਿੱਚ ਸੈਟਿੰਗਾਂ ਵਿੱਚ ਤੁਸੀਂ ਇਸ ਨੂੰ ਬਦਲ ਸਕਦੇ ਹੋ। + ਅੱਗੇ + ਸ਼ੁਰੂ ਕਰੋ + ਹਾਲੇ ਕੋਈ ਜਾਣਕਾਰੀ ਉਪਲਬਧ ਨਹੀਂ।\n ਇੱਥੇ ਆਪਣੀ ਪਹਿਲੀ ਰਿਡਿੰਗ ਸ਼ਾਮਲ ਕਰੋ। + ਖੂਨ ਵਿੱਚ ਗਲੂਕੋਜ਼ ਦਾ ਪੱਧਰ ਸ਼ਾਮਲ ਕਰੋ + ਮਾਤਰਾ + ਮਿਤੀ + ਸਮਾਂ + ਮਾਪਿਆ + ਨਾਸ਼ਤੇ ਤੋਂ ਪਹਿਲਾਂ + ਨਾਸ਼ਤੇ ਤੋਂ ਬਾਅਦ + ਦੁਪਹਿਰ ਦੇ ਖਾਣੇ ਤੋਂ ਪਹਿਲਾਂ + ਦੁਪਹਿਰ ਦੇ ਖਾਣੇ ਤੋਂ ਬਾਅਦ + ਰਾਤ ਦੇ ਖਾਣੇ ਤੋਂ ਪਹਿਲਾਂ + ਰਾਤ ਦੇ ਖਾਣੇ ਤੋਂ ਬਾਅਦ + ਆਮ + ਮੁੜ-ਜਾਂਚ ਕਰੋ + ਰਾਤ + ਹੋਰ + ਰੱਦ ਕਰੋ + ਸ਼ਾਮਲ ਕਰੋ + ਕਿਰਪਾ ਕਰਕੇ ਇੱਕ ਸਹੀ ਮੁੱਲ ਦਰਜ ਕਰੋ। + ਕਿਰਪਾ ਕਰਕੇ ਸਾਰੀਆਂ ਥਾਵਾਂ ਭਰੋ। + ਹਟਾਓ + ਸੋਧ ਕਰੋ + 1 ਰੀਡਿੰਗ ਹਟਾਈ + ਵਾਪਸ + ਆਖਰੀ ਜਾਂਚ: + ਪਿਛਲੇ ਮਹੀਨਾ ਦਾ ਰੁਝਾਨ: + ਹੱਦ ਵਿੱਚ ਅਤੇ ਸਿਹਤਮੰਦ + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + ਬਾਰੇ + ਵਰਜਨ + ਸੇਵਾ ਦੀਆਂ ਸ਼ਰਤਾਂ + ਕਿਸਮ + ਭਾਰ + ਮਨਪਸੰਦ ਮਾਪ ਵਰਗ + + ਜ਼ਿਆਦਾ ਤਾਜ਼ਾ ਖਾਓ, ਅਣ-ਪ੍ਰੋਸੈਸਡ ਖਾਣਾ ਕਾਰਬੋਹਾਈਡਰੇਟ ਅਤੇ ਖੰਡ ਲੈਣਾ ਘਟਾਉਣ ਵਿੱਚ ਸਹਾਇਤਾ ਕਰਦਾ। + ਕਾਰਬੋਹਾਈਡਰੇਟ ਅਤੇ ਖੰਡ ਲੈਣਾ ਕਾਬੂ ਕਰਨ ਲਈ ਪੈਕ ਹੋਏ ਖਾਣਿਆਂ ਅਤੇ ਪੀਣ ਵਾਲੀਆਂ ਚੀਜ਼ਾਂ ਦੇ ਪੋਸ਼ਟਿਕ ਲੇਬਲ ਪੜ੍ਹੋ। + ਜਦੋਂ ਬਾਹਰ ਖਾਣਾ ਖਾਓ, ਮੱਛੀ ਜਾਂ ਮੀਟ ਨੂੰ ਜਿਆਦਾ ਮੱਖਣ ਜਾਂ ਤੇਲ ਦੇ ਬਿਨਾਂ ਭੁੱਜਣ ਲਈ ਕਹੋ। + ਜਦੋਂ ਬਾਹਰ ਖਾਣਾ ਖਾਓ, ਘੱਟ ਸੋਡੀਅਮ ਵਾਲੇ ਪਕਵਾਨਾਂ ਬਾਰੇ ਪੁੱਛੋ। + ਜਦੋਂ ਬਾਹਰ ਖਾਣਾ ਖਾਓ, ਓਨੇ ਹੀ ਆਕਾਰ ਦੇ ਹਿੱਸੇ ਖਾਓ ਜਿੰਨੇ ਤੁਸੀਂ ਘਰ ਖਾਂਦੇ ਹੋ ਅਤੇ ਬਾਕੀ ਨੂੰ ਆਪਣੇ ਨਾਲ ਲੈ ਜਾਓ। + ਜਦੋਂ ਬਾਹਰ ਖਾਓ ਤਾਂ ਘੱਟ-ਕੈਲੋਰੀ ਚੀਜ਼ਾਂ ਬਾਰੇ ਪੁੱਛੋ, ਜਿਵੇਂ ਸਲਾਦ ਚਟਨੀਆਂ, ਭਾਵੇਂ ਉਹ ਮੀਨੂੰ ਵਿੱਚ ਨਾ ਹੋਣ। + ਜਦੋਂ ਬਾਹਰ ਖਾਣਾ ਖਾਓ ਵਟਾਂਦਰੇ ਬਾਰੇ ਪੁੱਛੋ, ਜਿਵੇਂ ਕਿ ਫ੍ਰੈਂਚ ਫ੍ਰਾਈਜ਼ ਦੀ ਥਾਂ ਤੇ, ਸਬਜ਼ੀਆਂ ਦੇ ਸਲਾਦ ਜਿਵੇਂ ਹਰੀਆਂ ਫਲ੍ਹਿਆਂ ਜਾਂ ਗੋਭੀ ਦੇ ਡਬਲ ਆਰਡਰ ਦੀ ਬੇਨਤੀ ਕਰੋ। + ਜਦੋਂ ਬਾਹਰ ਖਾਣਾ ਖਾਓ, ਉਸ ਭੋਜਨ ਦਾ ਆਰਡਰ ਕਰੋ ਜੋ ਡਬਲਰੋਟੀ ਜਾਂ ਤਲਿਆ ਨਾ ਹੋਵੇ। + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + ਸ਼ੂਗਰ ਫ੍ਰੀ ਦਾ ਅਸਲ ਮਤਲਬ ਬਿਲਕੁਲ ਖੰਡ ਨਾ ਹੋਣਾ ਨਹੀਂ ਹੈ। ਇਸ ਦਾ ਮਤਲਬ ਹਰੇਕ ਹਰੇਕ ਹਿੱਸੇ ਵਿੱਚ 0.5 ਗ੍ਰਾਮ ਖੰਡ ਹੈ, ਇਸ ਲਈ ਬਹੁਤ ਸਾਰੀਆਂ ਸ਼ੂਗਰ ਫ੍ਰੀ ਚੀਜ਼ਾਂ ਲੈਣ ਸਮੇਂ ਸੁਚੇਤ ਰਹੋ। + ਚੰਗਾ ਭਾਰ ਬਣਾਈ ਰੱਖਣਾ ਖੂਨ ਵਿੱਚ ਸ਼ੂਗਰ ਨੂੰ ਕਾਬੂ ਰੱਖਣ ਵਿੱਚ ਸਹਾਇਤਾ ਕਰਦਾ ਹੈ। ਤੁਹਾਡਾ ਡਾਕਟਰ, ਡਾਈਟੀਸ਼ੀਅਨ ਅਤੇ ਫਿਟਨੈੱਸ ਟ੍ਰੇਨਰ ਤੁਹਾਨੂੰ ਇੱਕ ਯੋਜਨਾ ਸ਼ੁਰੂ ਕਰਵਾ ਸਕਦਾ ਜੋ ਤੁਹਾਡੇ ਲਈ ਵਧੀਆ ਰਹੇਗੀ। + ਆਪਣੇ ਖੂਨ ਪੱਧਰ ਦੀ ਜਾਂਚ ਕਰਨਾ ਅਤੇ ਇਸ ਤੇ ਦਿਨ ਵਿੱਚ ਦੋ ਵਾਰ Glucosio ਵਰਗੀ ਐਪ ਨਾਲ ਨਜ਼ਰ ਰੱਖਣਾ ਭੋਜਨ ਅਤੇ ਜੀਵਨਸ਼ੈਲੀ ਪਸੰਦਾਂ ਦੇ ਨਤੀਜਿਆਂ ਦਾ ਧਿਆਨ ਰੱਖਣ ਵਿੱਚ ਸਹਾਇਤਾ ਕਰਦਾ ਹੈ। + ਪਿਛਲੇ 2 ਤੋਂ 3 ਮਹੀਨਿਆਂ ਵਿੱਚ ਆਪਣੇ ਖੂਨ ਵਿੱਚ ਔਸਤ ਸ਼ੂਗਰ ਪੱਧਰ ਦਾ ਪਤਾ ਲਗਾਉਣ ਲਈ A1c ਖੂਨ ਟੈਸਟ ਲਓ। ਤੁਹਾਡਾ ਡਾਕਟਰ ਤੁਹਾਨੂੰ ਦੱਸੇਗਾ ਕੀ ਤੁਹਾਨੂੰ ਇਹ ਟੈਸਟ ਨੂੰ ਕਿੰਨੀ ਵਾਰ ਕਰਵਾਉਣ ਦੀ ਲੋੜ ਪਵੇਗੀ। + ਤੁਸੀਂ ਕਿੰਨੇ ਕਾਰਬੋਹਾਈਡਰੇਟ ਲੈਂਦੇ ਹੋ ਇਸ ਤੇ ਨਜ਼ਰ ਰੱਖਣਾ ਉਨ੍ਹਾਂ ਹੀ ਜ਼ਰੂਰੀ ਹੈ ਜਿੰਨ੍ਹਾ ਖੂਨ ਦੇ ਪੱਧਰ ਦੀ ਜਾਂਚ ਕਰਨਾ ਕਿਉਂਕਿ ਕਾਰਬੋਹਾਈਡਰੇਟ ਖੂਨ ਵਿੱਚ ਸ਼ੂਗਰ ਦੇ ਪੱਧਰ ਤੇ ਅਸਰ ਪਾਉਂਦੇ ਹਨ। ਆਪਣੇ ਡਾਕਟਰ ਜਾਂ ਡਾਈਟੀਸ਼ੀਅਨ ਨਾਲ ਕਾਰਬੋਹਾਈਡਰੇਟ ਲੈਣ ਬਾਰੇ ਗੱਲਬਾਤ ਕਰੋ। + ਬਲੱਡ ਪ੍ਰੈਸ਼ਰ, ਕੋਲੈਸਟਰੋਲ ਅਤੇ ਟਰਾਈਗਲਿਸਰਾਈਡਸ ਦੇ ਪੱਧਰਾਂ ਨੂੰ ਕਾਬੂ ਰੱਖਣਾ ਜ਼ਰੂਰੀ ਹੈ ਕਿਉਂਕਿ ਸ਼ੂਗਰ ਦੇ ਮਰੀਜ਼ ਅਸਾਨੀ ਦਿਲ ਦੀਆਂ ਬੀਮਾਰੀਆਂ ਦੇ ਸ਼ਿਕਾਰ ਹੋ ਜਾਂਦੇ ਹਨ। + ਸਿਹਤਮੰਦ ਖਾਣ ਲਈ ਵੱਖ-ਵੱਖ ਤਰ੍ਹਾਂ ਦੇ ਭੋਜਨਾਂ ਦੀ ਵਰਤੋਂ ਅਤੇ ਆਪਣੇ ਸ਼ੂਗਰ ਦੇ ਨਤੀਜਿਆਂ ਵਿੱਚ ਸੁਧਾਰ ਕਰ ਸਕਦੇ ਹੋ। ਤੁਹਾਡੇ ਬਜਟ ਅਤੇ ਤੁਹਾਡੇ ਲਈ ਕੀ ਵਧੀਆ ਰਹੇਗਾ ਇਸ ਬਾਰੇ ਡਾਈਟੀਸ਼ੀਅਨ ਤੋਂ ਸਲਾਹ ਲਓ। + ਰੋਜ਼ਾਨਾ ਕਸਰਤ ਕਰਨਾ ਖ਼ਾਸ ਤੌਰ ਤੇ ਸ਼ੂਗਰ ਦੇ ਮਰੀਜਾਂ ਲਈ ਲਾਹੇਵੰਦ ਹੁੰਦਾ ਅਤੇ ਇੱਕ ਚੰਗਾ ਭਾਰ ਬਣਾਈ ਰੱਖਣ ਵਿੱਚ ਸਹਾਇਤਾ ਕਰਦਾ ਹੈ। ਆਪਣੇ ਡਾਕਟਰ ਨਾਲ ਕਸਰਤਾਂ ਬਾਰੇ ਗੱਲਬਾਤ ਕਰੋ ਜੋ ਤੁਹਾਡੇ ਲਈ ਢੁਕਵੀਆਂ ਹੋਣ। + ਨੀਂਦ ਦੀ ਕਮੀ ਕਾਰਨ ਤੁਸੀਂ ਜੰਕ ਫੂਡ ਵਰਗੀਆਂ ਚੀਜ਼ਾਂ ਜ਼ਿਆਦਾ ਖਾਂਦੇ ਹੋ ਜਿਸ ਨਾਲ ਤੁਹਾਡੀ ਸਿਹਤ ਤੇ ਮਾੜਾ ਅਸਰ ਪੈ ਸਕਦਾ ਹੈ। ਰਾਤ ਨੂੰ ਚੰਗੀ ਨੀਂਦ ਲੈਣਾ ਯਕੀਨੀ ਬਣਾਓ ਅਤੇ ਜੇਕਰ ਤੁਹਾਨੂੰ ਇਸ ਵਿੱਚ ਮੁਸ਼ਕਲ ਆ ਰਹੀ ਹੈ ਤਾਂ ਇੱਕ ਨੀਂਦ ਮਾਹਰ ਨਾਲ ਸਲਾਹ-ਮਸ਼ਵਰਾ ਕਰੋ। + ਤਣਾਅ ਦਾ ਸ਼ੂਗਰ ਤੇ ਮਾੜਾ ਪ੍ਰਭਾਵ ਪੈ ਸਕਦਾ ਆਪਣੇ ਡਾਕਟਰ ਜਾਂ ਹੋਰ ਸਿਹਤ ਦੇਖਭਾਲ ਪੇਸ਼ੇਵਰ ਨਾਲ ਤਣਾਅ ਨਾਲ ਨਜਿੱਠਣ ਬਾਰੇ ਗੱਲਬਾਤ ਕਰੋ। + ਸ਼ੂਗਰ ਮਰੀਜਾਂ ਲਈ ਸਾਲ ਵਿੱਚ ਇੱਕ ਵਾਰ ਆਪਣੇ ਡਾਕਟਰ ਕੋਲ ਜਾਣਾ ਅਤੇ ਸਾਰੇ ਸਾਲ ਦੌਰਾਨ ਲਗਾਤਾਰ ਸੰਪਰਕ ਵਿੱਚ ਰਹਿਣਾ ਜ਼ਰੂਰੀ ਹੈ ਇਹ ਸਿਹਤ ਸਮੱਸਿਆਵਾਂ ਨਾਲ ਸੰਬੰਧਤ ਕਿਸੇ ਵੀ ਤਰ੍ਹਾਂ ਦੇ ਅਚਾਨਕ ਹਮਲੇ ਨੂੰ ਰੋਕਦਾ ਹੈ। + ਆਪਣੇ ਡਾਕਟਰ ਦੀ ਤਜਵੀਜ਼ ਅਨੁਸਾਰ ਆਪਣੀ ਦਵਾਈ ਲਓ ਆਪਣੀ ਦਵਾਈ ਲੈਣ ਵਿੱਚ ਕੀਤੀਆਂ ਛੋਟੀਆਂ ਗਲਤੀਆਂ ਨਾਲ ਤੁਹਾਡੇ ਖੂਨ ਵਿੱਚ ਗਲੂਕੋਜ਼ ਦੇ ਪੱਧਰ ਤੇ ਅਸਰ ਅਤੇ ਹੋਰ ਮਾੜੇ ਪ੍ਰਭਾਵ ਪੈ ਸਕਦੇ ਹਨ। ਜੇਕਰ ਤੁਹਾਨੂੰ ਯਾਦ ਰੱਖਣ ਵਿੱਚ ਮੁਸ਼ਕਲ ਹੁੰਦੀ ਹੈ ਤਾਂ ਆਪਣੇ ਡਾਕਟਰ ਨੂੰ ਦਵਾਈ ਮੈਨੇਜਮੈਂਟ ਅਤੇ ਰੀਮਾਈਂਡਰ ਚੋਣਾਂ ਬਾਰੇ ਪੁੱਛੋ। + + + ਵੱਡੀ ਉਮਰ ਦੇ ਮਰੀਜ਼ਾਂ ਨੂੰ ਸ਼ੂਗਰ ਨਾਲ ਸੰਬੰਧਤ ਸਿਹਤ ਸਮੱਸਿਆਵਾਂ ਦਾ ਜੋਖਮ ਵੱਧ ਹੁੰਦਾ ਹੈ। ਆਪਣੇ ਡਾਕਟਰ ਨਾਲ ਗੱਲਬਾਤ ਕਰੋ ਕਿ ਤੁਹਾਡੀ ਸ਼ੂਗਰ ਵਿੱਚ ਤੁਹਾਡੀ ਉਮਰ ਕੀ ਭੂਮਿਕਾ ਨਿਭਾਉਂਦੀ ਹੈ ਅਤੇ ਕੀ ਧਿਆਨ ਰੱਖਣਾ ਚਾਹੀਦਾ ਹੈ। + ਤੁਹਾਡੇ ਵੱਲੋਂ ਖਾਣਾ ਬਣਾਉਣ ਸਮੇਂ ਅਤੇ ਖਾਣਾ ਬਣਾਉਣ ਤੋਂ ਬਾਅਦ ਪੈਣ ਵਾਲੇ ਲੂਣ ਦੀ ਮਾਤਰਾ ਨੂੰ ਘੱਟ ਕਰੋ। + + ਸਹਾਇਕ + ਹੁਣੇ ਅੱਪਡੇਟ ਕਰੋ + ਠੀਕ, ਸਮਝ ਗਿਆ + ਫੀਡਬੈਕ ਦਿਓ + ਰੀਡਿੰਗ ਜੋੜੋ + ਆਪਣਾ ਭਾਰ ਅੱਪਡੇਟ ਕਰੋ + ਆਪਣੇ ਭਾਰ ਨੂੰ ਅੱਪਡੇਟ ਕਰਨਾ ਯਕੀਨੀ ਬਣਾਓ ਤਾਂ ਕਿ Glucosio ਕੋਲ ਬਿਲਕੁਲ ਸਹੀ ਜਾਣਕਾਰੀ ਹੋਵੇ। + ਆਪਣੀ ਖੋਜ ਭਾਗੀਦਾਰੀ ਨੂੰ ਅੱਪਡੇਟ ਕਰੋ + ਤੁਸੀਂ ਹਮੇਸ਼ਾ ਸ਼ੂਗਰ ਖੋਜ ਸਾਂਝੇਦਾਰੀ ਵਿੱਚ ਭਾਗ ਲੈ ਜਾਂ ਬਾਹਰ ਹੋ ਸਕਦੇ ਹੋ, ਯਾਦ ਰੱਖੋ ਸਾਂਝਾ ਕੀਤਾ ਡਾਟਾ ਪੂਰੀ ਤਰ੍ਹਾਂ ਗੁਪਤ ਹੈ। ਅਸੀਂ ਸਿਰਫ਼ ਜਨ ਅਤੇ ਗਲੂਕੋਜ਼ ਪੱਧਰ ਰੁਝਾਨ ਸਾਂਝੇ ਕਰਦੇ ਹਾਂ। + ਵਰਗ ਬਣਾਓ + ਗਲੂਕੋਜ਼ ਇਨਪੁੱਟ ਲਈ Glucosio ਮੂਲ ਵਰਗਾਂ ਨਾਲ ਆਉਂਦਾ ਹੈ ਪਰ ਤੁਸੀਂ ਆਪਣੀਆਂ ਜ਼ਰੂਰਤਾਂ ਮੁਤਾਬਿਕ ਸੈਟਿੰਗਾਂ ਵਿੱਚ ਤਰਜੀਹੀ ਵਰਗ ਬਣਾ ਸਕਦੇ ਹੋ। + ਇੱਥੇ ਅਕਸਰ ਵੇਖੋ + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + ਫੀਡਬੈਕ ਭੇਜੋ + ਜੇਕਰ ਤੁਹਾਨੂ ਕੋਈ ਤਕਨੀਕੀ ਸਮੱਸਿਆ ਆਈ ਜਾਂ Glucosio ਬਾਰੇ ਫੀਡਬੈਕ ਭੇਜਣਾ ਚਾਹੁੰਦੇ ਹੋ Glucosio ਨੂੰ ਵਧੀਆ ਬਣਾਉਣ ਵਿੱਚ ਸਾਡੀ ਸਹਾਇਤਾ ਲਈ ਅਸੀਂ ਤੁਹਾਨੂੰ ਇਸ ਨੂੰ ਸੈਟਿੰਗ ਮੀਨੂੰ ਤੋਂ ਭੇਜਣ ਲਈ ਉਤਸ਼ਾਹਿਤ ਕਰਦੇ ਹਾਂ। + ਰੀਡਿੰਗ ਸ਼ਾਮਲ ਕਰੋ + ਨਿਯਮਿਤ ਤੌਰ ਤੇ ਆਪਣੀ ਗਲੋਕੂਜ਼ ਰੀਡਿੰਗ ਸ਼ਾਮਲ ਕਰਨਾ ਯਕੀਨੀ ਬਣਾਓ ਤਾਂ ਕੀ ਅਸੀਂ ਤੁਹਾਡੀ ਗਲੂਕੋਜ਼ ਪੱਧਰਾਂ ਤੇ ਨਜ਼ਰ ਰੱਖਣ ਵਿੱਚ ਸਹਾਇਤਾ ਕਰ ਸਕੀਏ। + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + ਤਰਜੀਹੀ ਸੀਮਾ + ਮਨਪਸੰਦ ਸੀਮਾ + ਘੱਟੋ-ਘਂੱਟ ਮੁੱਲ + ਵੱਧੋ-ਵੱਧ ਮੁੱਲ + TRY IT NOW + diff --git a/app/src/main/res/values-pam/google-playstore-strings.xml b/app/src/main/res/values-pam/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-pam/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-pam/strings.xml b/app/src/main/res/values-pam/strings.xml old mode 100755 new mode 100644 index 2fa846d3..eaf5f29a --- a/app/src/main/res/values-pam/strings.xml +++ b/app/src/main/res/values-pam/strings.xml @@ -1,31 +1,136 @@ - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + Glucosio + Mga Setting + Magpadala ng feedback + Overview + Kasaysayan + Mga Tip + Mabuhay. + Mabuhay. + Terms of Use. + Nabasa ko at tinatanggap ang Terms of Use + Ang mga nilalaman ng Glucosio website at apps, lahat ng mga teksto, larawan, imahen at iba pang materyal (\"Content\") ay inilathala para sa impormasyon lamang. Ang mga nasabing nilalaman at hindi maaring gamit sa pangpropesyunal na payong pangmedikal, pagsusuri o kagamutan. Lahat ng gumagamit ng Glucosio ay hinihikayat na magpasuri sa mga doktor o mga tagapayong pangkalusugan sa anumang katanungan hingil sa inyong sakit.\n Walang pananagutan ang Glucosio team, volunteers at mga nilalaman sa aming website sa paggamit ng aming produkto. + Kinakailangan namin ang ilang mga bagay bago tayo makapagsimula. + Bansa + Edad + Paki-enter ang tamang edad. + Kasarian + Lalaki + Babae + Iba + Uri ng diabetes + Type 1 + Type 2 + Nais na unit + Ibahagi ang anonymous data para sa pagsasaliksik. + Maaari mong palitan ang mga settings na ito mamaya. + SUSUNOD + MAGSIMULA + Walang impormasyon na nakatala. \n Magdagdag ng iyong unang reading dito. + Idagdag ang Blood Glucose Level + Konsentrasyon + Petsa + Oras + Sukat + Bago mag-agahan + Pagkatapos ng agahan + Bago magtanghalian + Pagkatapos ng tanghalian + Bago magdinner + Pagkatapos magdinner + Pangkabuuan + Suriin muli + Gabi + Iba pa + KANSELAHIN + IDAGDAG + Mag-enter ng tamang value. + Paki-punan ang lahat ng mga fields. + Burahin + I-edit + Binura ang 1 reading + I-UNDO + Huling pagsusuri: + Trend sa nakalipas na buwan: + nasa tamang sukat at ikaw ay malusog + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + Tungkol sa + Bersyon + Terms of use + Uri + Weight + Custom na kategorya para sa mga sukat + + Kumain ng mga sariwa at hindi processed na mga pagkain para makaiwas sa carbohydrate at asukal. + Basahing mabuti ang nutritional label sa mga packaged food at beverages para makontrol ang lebel ng asukal at carbohydrate sa kinakain. + Kung kakain sa labas, kumain ng isda o nilagang karne na walang mantikilya o mantika. + Kapag kumakain sa labas, kumuha ng mga low sodium na pagkain. + Kung kakain sa labas, siguraduhing ang dami ng iyong kakainin ay katulad lamang ng pagkain mo kung ikaw ay nasa bahay at huwag mag-uuwi ng mga tira. + Kung kakain sa labas, kumuha ng mga pagkaing mababa sa calorie, tulad ng salad dressings, kahit na ang mga ito ay wala sa menu. + Kung kakain sa labas, magtanong ng mga substitutions. Halimbawa, sa halip na kumain ng French Fries, kumuha ng dalawang order ng gulay tulad ng salad, green beans at repolyo. + Kung kakain sa labas, kumuha ng pagkaing hindi breaded or pinirito. + Kung kakain sa labas, humingi ng mga sauce, gravy at salad dressings bilang pang-ulam. + Hindi ibig sabihin na kapag ang isang bagay ay sugar free, wala na itong asukal. Ang ibig nitong sabihin ay mayroon lamang ito na 0.5 grams (g) ng asukal sa bawat serving, kaya mag-ingat at kumain lamang ng tamang pagkain na nagsasabing sila ay sugar free. + Ang pagkakaroon ng tamang timbang at nakatutulong sa pagkontrol ng blood sugar. Alamin ang tamang pamamaraan mula sa inyong doktor. + Ang pagsusuri ng iyong blood level at pagtatala nito sa app na katulad ng Glucosio dalawang beses sa isang araw ay makatutulong para magkaron ng mabuting pagpili sa mga kinakain at pamumuhay. + Magpakuha ng A1c blood test para malaman ang iyong blood sugar average sa nagdaang 2 hanggang 3 buwan. Sasabihin sa iyo ng iyong doktok kung gaano kadalas mo dapat ginawa ang ganitong pagsusuri. + Ang pagtatala kung ilang carbohydrates ang nasa iyong pagkain ay kasing halaga ng pagsusuri ng iyong blood levels, dahil ito ay nakaaapekto sa bawat isa. Kausapin ang iyong manggagamot para sa nararapat ng carbohydrate intake. + Ang pag-control ng iyong blood pressure, cholesterol at triglyceride levels ay mahalaga dahil ang mga diabetiko ay mas malaki ang tsansang magkasakit sa puso. + May iba\'t-ibang pamamaraan sa pagdidiyeta para makatulong na ikaw ay maging malusog at makontrol ang iyong diabetes. Kumunsulta sa isang dietician para malaman kung ano ang pinakamabuting pamamaraan ng pagdidiyeta na pasok sa iyong budget. + Ang palagiang pag-eehersisyo ay mahalaga sa mga diabetiko para mapanatili ang tamang timbang. Kumunsulta sa inyong doktor para malaman ang tamang ehersisyo sa iyo. + Kung kulang ka sa tulog, ito ay magiging sanhi para ikaw ay kumain nang mas marami at kumain ng mga junk foods na hindi maganda sa iyong kalusugan. Siguraduhing may sapat na oras ng tulog sa gabi. Sumangguni sa espesyalista kung kinakailangan. + May malaking epekto ang stress sa mga diabetiko. Kumunsulta sa inyong doktor para malaman kung paano malalabanan ang stress. + Ang pagbisita sa iyong doktor at palagiang kuminikasyon sa kaniya sa loob ng buong taon ay mahalaga para sa mga may diabetes para maiwasan ang paglubha ng iyong sakit. + Palagiang uminom ng gamot base sa payo ng inyong doktor. Ang pagliban sa pag-inom ng gamot ay may malaking epekto sa iyong blood glucose level. Kumunsulta sa inyong doktor para malaman ang pinakaepektibong pamamaraan na hindi mo malilimutang uminom ng gamot sa oras. + + + May epekto ang edad ng isang diabetiko. Kumunsulta sa inyong doktor para malaman kung anu-ano ang dapat gawin ng isang diabetikong may edad na. + Siguraduhing kakaunti lamang ang asin sa pagkaing niluluto o ang paggamit nito habang kumakain. + + Assistant + I-UPDATE NGAYON + OK + I-SUBMIT ANG FEEDBACK + MAGDAGDAG NG READING + I-update ang iyong timbang + Siguraduhing tama ang iyong timbang para makapagbigay ng mas angkop na impormasyon ang Glucosio. + I-update ang iyong research opt-in + Maaari kang hindi mapabilang sa aming diabetes research sharing kung iyong nanaisin. Lahat ng impormasyon na aming nilalagap ay anonymous at hinding-hindi namin ito ipamimigay kanino man. + Gumawa ng mga kategorya + Ang Glucosio ay mga kategoryang kalakip para sa glucose input, ngunit maaari kang gumawa ng sarili mong kategorya kung nanaisin. + Pumunta dito ng madalas + Nagbibigay ang Glucosio assistant ng mga payo kung paano gaganda ang iyong kalusugan at kung paano mo makukuha ang benepisyo ng paggamit ng Glucosio. + I-submit ang feedback + Kung may mga katanungang pangteknikal or may mga puna at suhesyon para sa Glucosio, pumunta sa settings menu. + Magdagdag ng reading + Siguraduhing palaging magdagdag ng iyong glucose readings para ikaw matulungan naming i-track ang iyong glucose levels. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-pap/google-playstore-strings.xml b/app/src/main/res/values-pap/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-pap/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-pap/strings.xml b/app/src/main/res/values-pap/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-pap/strings.xml +++ b/app/src/main/res/values-pap/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-pcm/google-playstore-strings.xml b/app/src/main/res/values-pcm/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-pcm/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-pcm/strings.xml b/app/src/main/res/values-pcm/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-pcm/strings.xml +++ b/app/src/main/res/values-pcm/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-pi/google-playstore-strings.xml b/app/src/main/res/values-pi/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-pi/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-pi/strings.xml b/app/src/main/res/values-pi/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-pi/strings.xml +++ b/app/src/main/res/values-pi/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-pl/google-playstore-strings.xml b/app/src/main/res/values-pl/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-pl/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-pl/strings.xml b/app/src/main/res/values-pl/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-pl/strings.xml +++ b/app/src/main/res/values-pl/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-ps/google-playstore-strings.xml b/app/src/main/res/values-ps/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-ps/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-ps/strings.xml b/app/src/main/res/values-ps/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-ps/strings.xml +++ b/app/src/main/res/values-ps/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-pt/google-playstore-strings.xml b/app/src/main/res/values-pt/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-pt/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-pt/strings.xml b/app/src/main/res/values-pt/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-pt/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-qu/google-playstore-strings.xml b/app/src/main/res/values-qu/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-qu/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-qu/strings.xml b/app/src/main/res/values-qu/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-qu/strings.xml +++ b/app/src/main/res/values-qu/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-quc/google-playstore-strings.xml b/app/src/main/res/values-quc/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-quc/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-quc/strings.xml b/app/src/main/res/values-quc/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-quc/strings.xml +++ b/app/src/main/res/values-quc/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-qya/google-playstore-strings.xml b/app/src/main/res/values-qya/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-qya/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-qya/strings.xml b/app/src/main/res/values-qya/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-qya/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-rm/google-playstore-strings.xml b/app/src/main/res/values-rm/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-rm/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-rm/strings.xml b/app/src/main/res/values-rm/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-rm/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-rn/google-playstore-strings.xml b/app/src/main/res/values-rn/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-rn/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-rn/strings.xml b/app/src/main/res/values-rn/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-rn/strings.xml +++ b/app/src/main/res/values-rn/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-ro/google-playstore-strings.xml b/app/src/main/res/values-ro/google-playstore-strings.xml new file mode 100644 index 00000000..17b65145 --- /dev/null +++ b/app/src/main/res/values-ro/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio este o aplicatie centrată pe utilizator, gratuită şi open source, pentru persoanele cu diabet zaharat + Folosind Glucosio, puteţi introduce şi urmări nivelurile de glucoză din sânge, sprijini anonim cercetarea diabetului contribuind date demografice şi tendinţe anonimizate ale nivelului de glucoză, şi obţine sfaturi utile prin intermediul asistentului nostru. Glucosio respectă confidenţialitatea şi sunteţi mereu în controlul datelor dvs. + * Centrat pe utilizator. Aplicațiile Glucosio sunt construite cu caracteristici şi un design care se potriveşte nevoilor utilizatorului şi suntem în mod constant deschisi la feedback pentru a ne îmbunătăţi. + * Open-Source. Aplicațiile Glucosio dau libertatea de a folosi, copia, studia, şi schimba codul sursă pentru oricare dintre aplicațiile noastre şi chiar de a contribui la proiect Glucosio. + * Gestionare date. Glucosio vă permite să urmăriţi şi să gestionaţi datele de diabet zaharat printr-o interfaţă intuitivă, modernă, construită cu feedback-ul de la diabetici. + * Ajută cercetarea. Aplicațiile Glucosio dau utilizatorilor posibilitatea de a opta pentru schimbul de date anonimizate despre diabet şi informaţii demografice cu cercetătorii. + Vă rugăm să trimiteţi orice bug-uri, probleme sau cereri de caracteristici la: + https://github.com/glucosio/android + Detalii: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-ro/strings.xml b/app/src/main/res/values-ro/strings.xml old mode 100755 new mode 100644 index 2fa846d3..e4fcb486 --- a/app/src/main/res/values-ro/strings.xml +++ b/app/src/main/res/values-ro/strings.xml @@ -1,31 +1,136 @@ - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + Glucosio + Setări + Trimite feedback + General + Istoric + Ponturi + Salut. + Salut. + Termeni de folosire + Am citit și accept termenii de folosire + Conținutul site-ului și applicațiilor Glucosio, cum ar fi textul, graficele, imaginile și alte materiale (”Conținut”) sunt doar cu scop informativ. Conținutul nu este un înlocuitor la sfatul medicului, diagnostic sau tratament. Ne încurajăm utilizatorii să caute ajutorul medicului când vine vorba de orice afecțiune. Nu ignorați sfatul medicului sau amânați căutarea lui din cauza a ceva ce ați citit pe site-ul sau aplicațiile Glucosio. Site-ul, blogul și wiki-ul Glucosio și alte resurse accesibile prin navigator (”Site-ul”) ar trebuii folosite doar în scopurile menționate mai sus.\n Încrederea în orice informație asigurată de Glucosio, membrii echipei Glucosio, voluntari și alții, apărută pe Site sau în aplicațiile noastre este pe riscul dumneavoastră. Site-ul și Conținutul sunt furnizate pe principiul \"ca atare\". + Avem nevoie de doar câteva lucruri rapide înainte de a începe. + Țară + Vârsta + Te rog introdu o vârsta validă. + Sex + Masculin + Feminin + Altul + Tipul diabetului + Tip 1 + Tip 2 + Unitatea preferată + Patajează date în mod anonim pentru cercetare. + Poți schimba aceste setări mai târziu. + URMĂTORUL + CUM SĂ ÎNCEPI + Nu avem informații disponibile momentan. \n Adaugă prima înregistrare aici. + Adaugă Nivelul Glucozei în Sânge + Concentrație + Dată + Ora + Măsurat + Înainte de micul dejun + După micul dejun + Înainte de prânz + După prânz + Înainte de cină + După cină + General + Re-verifică + Noapte + Altul + RENUNȚĂ + ADAUGĂ + Te rog introdu o valoare validă. + Te rog completează toate câmpurile. + Șterge + Modifică + O înregistrare ștearsă + ANULEAZĂ + Ultima verificare: + Tendința pe ultima lună: + în medie și sănătos + Lună + Zi + Săptămâna + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + Despre + Versiunea + Termeni de folosire + Tip + Greutate + Categorie de măsurare proprie + + Mănâncă mai multă mâncare proaspătă, neprocesată pentru a reduce carbohidrații și zaharurile. + Citește eticheta de pe mâncare si băutură pentru a controla aportul de carbohidrați și zaharuri. + Când mănânci în oraș, cere pește sau carne fiartă fără adaos de unt sau ulei. + Când mănânci în oraș, cere preparate cu conținut scăzut de sodiu. + Când mănânci în oraș, mănâncă aceeaşi porţie ca și acasă şi ia restul la pachet. + Când mănânci în oraș cere înlocuitori cu calorii puține, cum ar fi sosul pentru salată, chiar dacă nu sunt pe meniu. + Când mănânci în oraș cere schimbări în meniu. În loc de cartofi prăjiți, cere o porție dublă de legume, ca salată, mazăre verde sau broccoli. + Când mănânci în oraș cere mâncăruri care nu sunt cu pesmet sau prăjite. + Când mănânci în oraș cere ca sosurile să fie aduse separat. + Fără zahăr nu înseamnă chiar fără zahăr. Înseamnă 0.5 grame (g) de zahăr per porție, așa că ai grijă să nu faci exces de produse fără zahăr. + O greutate sănătoasă ajută la controlul zaharurilor din sânge. Doctorul, dieteticianul și instructorul de fitness te poate ajuta să faci un plan care funcționează pentru tine. + Verificarea nivelului glucozei în sânge și înregistrarea lui într-o aplicație ca Glucosio de două ori pe zi te va ajuta să vezi rezultatele pe care le au alegerile tale legate de mâncare și stilul de viață. + Fă testul de sânge A1c ca să aflii media glucozei în sânge pentru ultimele 2-3 luni. Doctorul ar trebuii să îți spună cât de des va trebuii să faci testul acesta. + Nivelul carbohidraților consumați poate fi la fel de important ca verificarea nivelului zaharurilor in sânge deoarece carbohidrații influențează nivelul glucozei în sânge. Consultă doctorul sau nutriționistul despre consumul de carbohidrați. + Măsurarea tensiunii, colesterolului și trigliceridelor este importantă deoarece diabeticii sunt predispuși problemelor cardiace. + Sunt câteva diete pe care le poți urma pentru a mânca mai sănătos si pentru a te ajuta să îți ameliorezi starea diabetului. Consultă un nutriționist pentru a vedea ce dietă ți se potrivește. + Exercițiile fizice regulate sunt foarte importante pentru diabetici și pot ajuta la menținerea unei greutăți sănătoase. Vorbește cu doctorul despre exercițiile care sunt indicate pentru tine. + Insomniile pot crește pofta de mâncare, în special mâncare nesănătoasă si ca un rezultat îți pot afecta negativ sănătatea. Ai grijă să dormi suficient și să consulți un specialist daca ai probleme cu somnul. + Stresul poate avea un impact negativ asupra diabetului. Vorbește cu doctorul sau cu un terapeut despre reducerea stresului. + Vizita medicală o data pe an si comunicarea cu doctorul pe parcursul anului este importantă pentru diabetici pentru a preveni orice apariție bruscă a problemelor medicale asociate cu diabetul. + Ia tratamentul așa cum a fost prescris de doctor, chiar și cele mai mici abateri pot afecta nivelul glucozei în sânge si pot cauza alte efecte secundare. Dacă ai probleme cu memoria cere-i doctorului sfaturi despre cum sa îți organizezi tratamentul și ce poți face ca să îți amintești mai usor. + + + Persoanele diabetice în vârstă pot avea un risc mai mare pentru problemele de sănătate asociate cu diabetul. Vorbește cu doctorul despre cum vârsta joacă un rol in diabet și cum să îl monitorizezi. + Limitează cantitatea de sare pe care o folosești când gătesti sau pe care o adaugi în mâncare după ce a fost gătită. + + Asistent + Actualizaţi acum + OK, AM ÎNȚELES + TRIMITE FEEDBACK + ADAUGĂ ÎNREGISTRARE + Actualizați greutatea dumneavoastră + Asiguraţi-vă că actualizați greutatea dumneavoastră, astfel încât Glucosio să aibă informaţii cât mai precise. + Actualizați opțiunea pentru cercetare + Puteţi întotdeauna opta pentru a ajuta studiul de cercetare a diabetului, dar țineti minte că toate datele sunt anonime. Împărtăşim numai date demografice şi tendinţele nivelului de glucoză. + Crează categorii + Glucosio vine cu categorii implicite pentru glucoză, dar puteţi crea categorii particularizate în setări pentru a se potrivi nevoilor dumneavoastră unice. + Reveniți des + Asistentul Glucosio oferă sfaturi regulate şi se va îmbunătăți, astfel încât întotdeauna reveniți aici pentru acţiuni utile pe care puteţi lua pentru a îmbunătăţi experienţa dumneavoastră Glucosio şi pentru alte sfaturi utile. + Trimite feedback + Dacă găsiţi orice probleme tehnice sau aveți feedback despre Glucosio vă recomandăm să-l trimiteți prin meniul de setări, pentru a ne ajuta să îmbunătăţim Glucosio. + Adauga o înregistrare + Asiguraţi-vă că adăugați în mod regulat înregistrările dumneavoastră de glucoză, astfel încât să vă putem ajuta să urmăriți nivelurile glucozei în timp. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Gamă preferată + Gamă proprie + Valoare minimă + Valoare maximă + ÎNCEARCĂ ACUM diff --git a/app/src/main/res/values-ru/google-playstore-strings.xml b/app/src/main/res/values-ru/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-ru/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-ru/strings.xml b/app/src/main/res/values-ru/strings.xml old mode 100755 new mode 100644 index 042e647c..d6efa786 --- a/app/src/main/res/values-ru/strings.xml +++ b/app/src/main/res/values-ru/strings.xml @@ -1,14 +1,19 @@ + Glucosio Настройки + Отправить отзыв Общие сведения История Подсказки Привет. Привет. + Условия использования. + Я прочитал условия использования и принимаю их + Содержание веб-сайта и приложения Glucosio, такие как текст, графика, изображения и другие материалы (\"Содержание\") предназначены только для информационных целей. Указанное содержание не является заменой профессиональной медицинской консультации, диагноза или лечения. Мы советуем пользователям Glucosio всегда обращаться за консультацией к врачу или другому квалифицированному специалисту в случае возникновения любых вопросов касательно состояния их здоровья. Никогда не отказывайтесь от профессиональных медицинских рекомендаций и не откладывайте визит к врачу из-за того, что вы что-то прочитали на веб-сайте Glucosio или в нашем приложении. Веб-сайт Glucosio, блог, вики и другое содержание, открываемое веб-браузером, (\"Веб-сайт\") предназначены только для указанного выше использования.\n Вы полагаетесь на информацию, предоставляемую Glucosio, членами команды Glucosio, волонтёрами и другими пользователями Веб-сайта или нашего приложения на свой страх и риск. Веб-сайт и Содержание предоставляются \"как есть\". Для того, чтобы начать, нам нужны некоторые сведения. - Предпочитаемый язык + Страна Возраст Пожалуйста, введите возраст правильно. Пол @@ -21,8 +26,9 @@ Предпочитаемые единицы измерения Поделиться анонимными данными для исследований. Позже вы можете изменить свои настройки. - НАЧАТЬ - Данные не доступны.\n Добавьте сюда свои первые данные. + ДАЛЬШЕ + НАЧАТЬ + Информация пока не доступна. \n Добавьте сюда ваши первые данные. Добавить уровень глюкозы в крови Концентрация Дата @@ -34,8 +40,13 @@ После обеда До ужина После ужина + Общее + Повторная проверка + Ночь + Другое ОТМЕНА ДОБАВИТЬ + Введите корректное значение. Пожалуйста, заполните все поля. Удалить Правка @@ -44,32 +55,82 @@ Последняя проверка: Тенденция по данным прошлого месяца: в норме - Подсказка - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + Месяц + День + Неделя + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + О нас + Версия + Условия использования + Тип + Вес + Собственные категории измерений + + Ешьте больше свежих, необработанных продуктов, это поможет снизить потребление углеводов и сахара. + Читайте этикетки на упакованных продуктах и напитках, чтобы контролировать потребление сахара и углеводов. + Если едите вне дома, спрашивайте рыбу или мясо, обжаренные без дополнительного сливочного или растительного масла. + Когда едите вне дома, спрашивайте блюда с низким содержанием натрия. + Когда едите вне дома, ешьте те же порции, которые вы едите дома, а остатки можете забрать с собой. + Когда едите вне дома, спрашивайте низкокалорийную еду, например листья салата, даже если их нет в меню. + Когда едите вне дома, спрашивайте замену. Вместо картофеля фри попросите двойную порцию таких овощей как салат, зелёные бобы или брокколи. + Когда едите вне дома, не заказывайте жаренную еду и еду в панировке. + Когда едите вне дома, просите разместить соус, подливку и листья салата с краю тарелки. + \"Без сахара\" не означает, что сахара нет. Это означает, что в порции содержится 0,5 грамм сахара, поэтому будьте внимательны, не ешьте много сахаросодержащих продуктов. + Нормализация веса помогает контролировать сахар в крови. Ваш доктор, диетолог и фитнес-тренер помогут вам разработать план нормализации веса. + Проверяйте уровень сахара в крови и отслеживайте его с помощью специальных приложений, таких как Glucosio, дважды в день, это поможет вам разобраться в еде и образе жизни. + Сделайте анализ крови A1c, чтобы узнать средний уровень сахара в крови за 2-3 месяца. Ваш врач должен рассказать вам, как часто следует сдавать такой анализ. + Отслеживание потребляемых углеводов может быть столь же важно, как и проверка уровня сахара в крови, поскольку углеводы влияют на уровень глюкозы в крови. Обсудите с вашим врачом или диетологом ваше потребление углеводов. + Контролирование кровяного давления, уровня холестерина и триглицеридов имеет важное значение, поскольку диабетики подвержены болезням сердца. + Существует несколько вариантов диеты, с их помощью вы можете есть более здоровую пищу, это поможет вам контролировать свой диабет. Спросите диетолога о том, какая диета лучше подойдёт вам и вашему бюджету. + Регулярные физические упражнения особенно важны для диабетиков, поскольку они помогают поддерживать нормальный вес. Обсудите с вашим врачом то, какие упражнения вам больше всего подходят. + Недосып приводит к перееданию (особенно нездоровой пищей), что плохо отражается на вашем здоровье. Хорошо высыпайтесь по ночам. Если же вас беспокоят проблемы со сном, обратитесь к специалисту. + Стресс оказывает отрицательное влияние на диабетиков. Обсудите с вашим врачом или другим специалистом то, как справляться со стрессом. + Ежегодные посещения врача и поддержание связи с ним всё время очень важно для диабетиков, это позволит предотвратить любую резкую вспышку болезни. + Принимайте лекарства по назначению вашего врача, даже небольшие пропуски в приёме лекарств могут оказать влияние на уровень сахара в крови, а также иметь и другие эффекты. Если вам сложно помнить о приёме лекарств, спросите вашего врача о существующих возможностях напоминания. + + + Пожилые диабетики более подвержены риску возникновения проблем со здоровьем. Обсудите с вашим врачом то, как ваш возраст влияет на заболевание диабетом, и чего вам следует опасаться. + Ограничьте количество соли в приготовляемой вами еде. Также ограничьте количество соли, которое вы добавляете в уже приготовленную еду. + + Помощник + ОБНОВИТЬ СЕЙЧАС + ХОРОШО, Я ПОНЯЛ + ОТПРАВИТЬ ОТЗЫВ + ДОБАВИТЬ ДАННЫЕ + Обновите свой вес + Убедитесь, что вы обновили свой вес, и у Glucosio имеется наиболее точная информация. + Обновить согласие на участие в исследованиях + Вы можете принять участие в исследовании диабета или отказаться от такого участия, все данных полностью анонимны. Мы делимся только демографическими данными и данными об уровне глюкозы в крови. + Создайте категории + Glucosio содержит категории по умолчанию, но в настройках вы можете создать собственные категории так, чтобы они подходили под ваши нужды. + Регулярно обращайтесь сюда + Помощник Glucosio предоставляет регулярные советы. Мы работаем над усовершенствованием нашего помощника, поэтому обращайтесь сюда за советами, которые вы сможете использовать для того, чтобы получить большую пользу от Glucosio, а также за другими полезными советами. + Отправьте отзыв + Если вы обнаружите какие-либо технические проблемы или захотите отправить отзыв о работе Glucosio, вы можете сделать это в меню настроек. Это поможет нам улучшить Glucosio. + Добавить данные + Регулярно вводите данные об уровне глюкозы, в течением времени это поможет вам отслеживать уровень глюкозы. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Предпочтительный диапазон + Собственный диапазон + Минимальное значение + Максимальное значение + ПОПРОБОВАТЬ ПРЯМО СЕЙЧАС diff --git a/app/src/main/res/values-rw/google-playstore-strings.xml b/app/src/main/res/values-rw/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-rw/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-rw/strings.xml b/app/src/main/res/values-rw/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-rw/strings.xml +++ b/app/src/main/res/values-rw/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-ry/google-playstore-strings.xml b/app/src/main/res/values-ry/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-ry/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-ry/strings.xml b/app/src/main/res/values-ry/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-ry/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-sa/google-playstore-strings.xml b/app/src/main/res/values-sa/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-sa/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-sa/strings.xml b/app/src/main/res/values-sa/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-sa/strings.xml +++ b/app/src/main/res/values-sa/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-sat/google-playstore-strings.xml b/app/src/main/res/values-sat/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-sat/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-sat/strings.xml b/app/src/main/res/values-sat/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-sat/strings.xml +++ b/app/src/main/res/values-sat/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-sc/google-playstore-strings.xml b/app/src/main/res/values-sc/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-sc/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-sc/strings.xml b/app/src/main/res/values-sc/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-sc/strings.xml +++ b/app/src/main/res/values-sc/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-sco/google-playstore-strings.xml b/app/src/main/res/values-sco/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-sco/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-sco/strings.xml b/app/src/main/res/values-sco/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-sco/strings.xml +++ b/app/src/main/res/values-sco/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-sd/google-playstore-strings.xml b/app/src/main/res/values-sd/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-sd/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-sd/strings.xml b/app/src/main/res/values-sd/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-sd/strings.xml +++ b/app/src/main/res/values-sd/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-se/google-playstore-strings.xml b/app/src/main/res/values-se/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-se/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-se/strings.xml b/app/src/main/res/values-se/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-se/strings.xml +++ b/app/src/main/res/values-se/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-sg/google-playstore-strings.xml b/app/src/main/res/values-sg/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-sg/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-sg/strings.xml b/app/src/main/res/values-sg/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-sg/strings.xml +++ b/app/src/main/res/values-sg/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-sh/google-playstore-strings.xml b/app/src/main/res/values-sh/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-sh/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-sh/strings.xml b/app/src/main/res/values-sh/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-sh/strings.xml +++ b/app/src/main/res/values-sh/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-si/google-playstore-strings.xml b/app/src/main/res/values-si/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-si/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-si/strings.xml b/app/src/main/res/values-si/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-si/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-sk/google-playstore-strings.xml b/app/src/main/res/values-sk/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-sk/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-sk/strings.xml b/app/src/main/res/values-sk/strings.xml old mode 100755 new mode 100644 index 2fa846d3..9bc1a5e9 --- a/app/src/main/res/values-sk/strings.xml +++ b/app/src/main/res/values-sk/strings.xml @@ -1,16 +1,84 @@ - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + Glucosio + Možnosti + Odoslať spätnú väzbu + Prehľad + História + Tipy + Ahoj. + Ahoj. + Podmienky používania. + Prečítal som si a súhlasím s Podmienkami používania + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Krajina + Vek + Prosím zadajte správny vek. + Pohlavie + Muž + Žena + Iné + Typ cukrovky + Typ 1 + Typ 2 + Preferovaná jednotka + Zdieľať anonymne údaje pre výskum. + Tieto nastavenia môžete neskôr zmeniť. + ĎALEJ + ZAČÍNAME + No info available yet. \n Add your first reading here. + Pridať hladinu glukózy v krvi + Koncentrácia + Dátum + Čas + Namerané + Pred raňajkami + Po raňajkách + Pred obedom + Po obede + Pred večerou + Po večeri + Všeobecné + Znovu skontrolovať + Noc + Ostatné + ZRUŠIŤ + PRIDAŤ + Prosím, zadajte platnú hodnotu. + Vyplňte prosím všetky položky. + Odstrániť + Upraviť + odstránený 1 záznam + SPÄŤ + Posledná kontrola: + Trend za posledný mesiac: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + O programe + Verzia + Podmienky používania + Typ + Weight + Vlastné kategórie meraní + + Jedzte viac čerstvých, nespracovaných potravín, pomôžete tak znížiť príjem sacharidov a cukrov. + Čítajte informácie o nutričných hodnotách na balených potravinách a nápojoch pre kontrolu príjmu sacharidov a cukrov. When eating out, ask for fish or meat broiled with no extra butter or oil. When eating out, ask if they have low sodium dishes. When eating out, eat the same portion sizes you would at home and take the leftovers to go. When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + Pri stravovaní mimo domov nejedzte obalované, alebo vysmážané jedlá. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + Obmedzte množstvo soli, ktorú používate pri varení a ktorú pridávate do jedla po dovarení. + + Asistent + AKTUALIZOVAŤ TERAZ + OK, GOT IT + ODOSLAŤ SPÄTNÚ VÄZBU + PRIDAŤ MERANIE + Aktualizujte vašu hmotnosť + Uistite sa, aby bola vaša váha vždy aktuálna, aby mal Glucosio čo najpresnejšie údaje. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Vytvoriť kategórie + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Odoslať spätnú väzbu + Ak nájdete nejaké technické problémy, alebo nám chcete zanechať spätnú väzbu o Glucosio odporúčame vám ju odoslať cez položku v nastaveniach. Pomôžete tak vylepšiť Glucosio. + Pridať meranie + Uistite sa, aby ste pravidelne pridávali hodnoty hladiny glykémie tak, aby sme vám mohli pomôcť priebežne sledovať hladiny glukózy. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-sl/google-playstore-strings.xml b/app/src/main/res/values-sl/google-playstore-strings.xml new file mode 100644 index 00000000..36ee0de6 --- /dev/null +++ b/app/src/main/res/values-sl/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio, sladkornim bolnikom namenjena aplikacije, je brezplačna in odprto kodna rešitev + Z uporabo Glucosio, lahko vnašate in spremljate ravni glukoze v krvi, s posredovanjem demografskih in anonimnih gibanj glukoze anonimno podpirate raziskave o diabetesu in prebirate uporabne nasvete našega pomočnika. Glucosio spoštuje vašo zasebnost in vam vedno daje nadzor nad vašimi podatki. + * Posvečeno uporabniku. Aplikacija Glucosio je narejena z funkcijami in oblikovanjem, ki ustreza uporabnikovim potrebam in jo stalno izboljšujemo glede na vaše povratne informacije. + * Odprto kodna. Glucosio aplikacija vam daje svobodo pri uporabi, kopiranju, preučevanju in spreminjanju izvorne kode v naših aplikacijah, da lahko prispevate k Glucosio projektu. + * Urejanje podatkov. Glucosio vam omogoča, da sledite in urejate podatke vašega diabetesa na intuitivnem, sodobnem vmesniku, kjer boste prejeli povratne informacije drugih diabetikov. + * Podprite raziskave. Glucosio aplikacija uporabnikom daje možnost, da lahko z raziskovalci anonimno delijo podatke diabetesa in demografske podatke. + Vse napake, težave ali želje nam sporočite na: + https://github.com/glucosio/android + Več informacij: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-sl/strings.xml b/app/src/main/res/values-sl/strings.xml old mode 100755 new mode 100644 index 2fa846d3..9e328647 --- a/app/src/main/res/values-sl/strings.xml +++ b/app/src/main/res/values-sl/strings.xml @@ -1,31 +1,136 @@ - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + Glucosio + Nastavitve + Pošljite povratne informacije + Pregled + Zgodovina + Nasveti + Dobrodošli. + Dobrodošli. + Pogoji uporabe. + Sprejmem pogoje uporabe + Vsebina spletne strani Glucosio in aplikacij, besedilo, grafike, slike in ostali material (\"Content\") so informativne narave. Vsebina ni namenjena kot nadomestilo za strokovni zdravniški nasvet, diagnozo ali zdravljenje. Uporabnike Glucosio storitev spodbujamo, da se vedno posvetujejo z zdravnikom ali drugim usposobljenim zdravstvenim osebjem o vseh vprašanjih, ki bi jih imeli o svojem zdravstvenem stanju. Ne ignorirajte strokovnega zdravniškega nasveta in ne odlašajte iskanje pomoči zaradi nečesa, kar ste prebrali na spletni strani Glucosio ali v naših aplikacijah. Spletna stran Glucosio, blog, Wiki stran in ostala vsebina, ki je dostopna spletnim brskalnikom (\"Website\") je namenjena samo za opisane namene.\n Zanašanje na katero koli informacijo, ki jo je posredovalo podjetje Glucosio, člani ekipe Glucosio, prostovoljci in drugi osebe, ki objavljajo na spletni strani ali aplikacijah, je izključno vaša lastna odgovornost. Stran in vsebina so na voljo \"tako kot so\". + Preden začnete, potrebujemo nekaj podatkov. + Država + Starost + Vnesite veljavno starost. + Spol + Moški + Ženska + Ostalo + Sladkorna bolezen tipa + Tip 1 + Tip 2 + Želena enota + Delite anonimne podatke za raziskave. + Spremenite lahko spremenite kasneje. + NASLEDNJI + ZAČNI + Informacije še niso na voljo. \n Dodajte svojo prvo meritev. + Dodaj raven glukoze v krvi + Koncentracija + Datum + Ura + Izmerjene vrednosti + Pred zajtrkom + Po zajtrku + Pred kosilom + Po kosilu + Pred večerjo + Po večerji + Splošno + Ponovno + Noč + Ostalo + PREKLIČI + DODAJ + Vnesite veljavno vrednost. + Prosimo, izpolnite vsa polja. + Izbriši + Uredi + 1 meritev je bila izbrisana + RAZVELJAVI + Zadnja meritev: + Spremembe v zadnjem mesecu: + v obsegu in zdravju + Mesec + Dan + Teden + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + Vizitka + Različica + Pogoji uporabe + Tip + Teža + Uporabnikove kategorije merjenja + + Uživajte več sveže, neobdelane hrane. S tem boste zmanjšali vnos ogljikovih hidratov in sladkorja. + Preberite oznako na pakiranih živilih in pijači in se seznanite z vnosom sladkorja in ogljikovih hidratov. + Ko jeste zunaj, prosite za ribo ali meso, ki je pečeno brez dodatnega masla ali olja. + Ko jeste zunaj, vprašajte, če imajo jedi z nizko vsebnostjo natrija. + Ko jeste zunaj, pojejte enako porcijo kot doma in odnesite ostanke s seboj. + Ko jeste zunaj, prosite za nizkokalorične dodatke, kot je solatni preliv, tudi, če ni napisan na meniju. + Ko jeste zunaj, vprašajte, če je možna menjava. Namesto pečenega krompirčka vzemite dvojno zelenjavno prilogo, solato, stročji fižol ali brokoli. + Ko jeste zunaj, naročite hrano, ki ni panirana ali ocvrta. + Ko jeste zunaj, vprašajte za omake in solatne prelive, ki jih nimajo v meniju. + Oznaka brez sladkorja ne pomeni, da je izdelek brez dodanega sladkorja. Pomeni 0,5 g sladkorja na porcijo, zato bodite previdni, da si ne privoščite preveč izdelkov brez sladkorja. + Strmenje k zdravi telesni teži vam bo pomagalo nadzirati krvni sladkor. Vaš zdravnik, dietni svetovalec in fitnes trener vam lahko pripravijo načrt, ki vam bo pomagal na vaši poti. + Preverjajte raven sladkorja v krvi in jo dvakrat dnevno beležite z aplikacijo kot je Glucosio. To vam bo pomagalo, da se boste zavedali vpliva hrane in življenjskega stila. + Pridobite si A1c krvne teste in ugotovite vašo povprečno raven sladkorja v krvi za pretekle 2 do 3 mesece. Vaš zdravnik vam bo povedal, kako pogosto morate te teste opravljati. + Spremljanje količine zaužitih ogljikovih hidratov je tako pomembno kot preverjanje količine sladkorja v krvi, saj nanjo vplivajo ogljikovi hidrati vplivajo. O vnosu ogljikovih hidratov se pogovorite s svojim zdravnikom ali dietnim svetovalcem. + Nadzorovanje krvnega tlaka, holesterola in trigliceridov je pomembno, saj ste diabetiki bolj dovzetni za bolezni srca. + Obstaja več diet in pristopov, kako jesti bolj zdravo in kako zmanjšati vplive sladkorne bolezni. Poiščite nasvet strokovnjaka za diete, kaj bi bilo najboljše za vas in za vaš proračun. + Redna vadbe je za sladkorne bolnike izrednega pomena, saj vam pomaga vzdrževati pravilno telesno težo. S svojim osebnim zdravnikom se pogovorite, katere vaje so primerne za vas. + Pomanjkanje spanja lahko vodi v povečanje apetita in posledično v hranjenje s hitro pripravljeno hrano, kar lahko negativno vpliva na vaše zdravje. Zagotovite si dober spanec in se posvetujte s strokovnjakom, če imate težave. + Stres ima lahko negativen vpliv na diabetes. O obvladovanju stresa se pogovorite s svojim zdravnikom ali drugim zdravstvenim osebjem. + Redni letni obiski zdravnika in pogosta komunikacija skozi celo leto je za diabetike pomembna in preprečuje nenadne zdravstvene težave. + Zdravila, ki vam jih je predpisal zdravnik, morate jemati redno, tudi, če pride do manjših odstopanj v ravni sladkorja v krvi ali povzročajo druge stranske učinke. Če imate težave, se posvetujte s svojim zdravnikom o morebitni zamenjavi zdravil. + + + Starejši diabetiki so zaradi diabetesa lahko bolj podvrženi zdravstvenim težavam. Pogovorite se s svojim zdravnikom, kako vaša starost vpliva na vaš diabetes in na kaj morate paziti. + Omejite količino soli uporabljate pri kuhanju in ki jo dodajate že pripravljenim jedem. + + Pomočnik + POSODOBI ZDAJ + V REDU + POŠLJI POVRATNO INFORMACIJO + DODAJ MERITEV + Posodobite svojo težo + Poskrbite, da redno posodabljate svojo težo, tako, da ima aplikacija Glucosio točne informacije. + Posodobitev vaše raziskave + Vedno lahko izbirate, če želite za namene raziskav svoje podatke deliti. Vsi podatki, ki jih delite so popolnoma anonimni. Posredujemo samo demografske podatke in gibanje sladkorja v krvi. + Ustvari kategorije + Aplikacija Glucosio ima privzete kategorije za vnos glukoze, vendar si lahko ustvarite svoje lastne kategorije in jih v nastavitvah uredite, da bodo ustrezale vašim potrebam. + Pogosto preverite + Asistent v aplikaciji Glucosio vam redno ponuja nasvete. Ker se zavedamo pomembnosti, ga bomo redno nadgrajevali, zato ga večkrat preverite in se seznanite z nasveti, ki bodo omogočili boljšo uporabniško izkušnjo in vam bili v dodatno pomoč. + Pošlji povratno informacijo + Če boste imeli katero koli tehnično vprašanje ali povratno informacijo, vas prosimo, da nam jo pošljete preko menija v nastavitvah. Samo tako bomo lahko aplikacijo Glucosio redno izboljševali. + Dodaj meritev + Poskrbite, da redno dodajate vaše odčitke glukoze, da vam lahko pomagamo slediti vaši ravni glukoze. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Zaželen obseg + Uporabnikov obseg + Najmanjša vrednost + Največja vrednost + Preizkusite diff --git a/app/src/main/res/values-sma/google-playstore-strings.xml b/app/src/main/res/values-sma/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-sma/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-sma/strings.xml b/app/src/main/res/values-sma/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-sma/strings.xml +++ b/app/src/main/res/values-sma/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-sn/google-playstore-strings.xml b/app/src/main/res/values-sn/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-sn/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-sn/strings.xml b/app/src/main/res/values-sn/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-sn/strings.xml +++ b/app/src/main/res/values-sn/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-so/google-playstore-strings.xml b/app/src/main/res/values-so/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-so/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-so/strings.xml b/app/src/main/res/values-so/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-so/strings.xml +++ b/app/src/main/res/values-so/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-son/google-playstore-strings.xml b/app/src/main/res/values-son/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-son/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-son/strings.xml b/app/src/main/res/values-son/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-son/strings.xml +++ b/app/src/main/res/values-son/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-sq/google-playstore-strings.xml b/app/src/main/res/values-sq/google-playstore-strings.xml new file mode 100644 index 00000000..06b5c928 --- /dev/null +++ b/app/src/main/res/values-sq/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Duke përdorur Glucosio, ju mund të fusni dhe të gjurmoni nivelet e glukozës në gjakë, të mbështesni në mënyrë anonime kërkimet rreth diabetit duke kontribuar me trendet demografike dhe anonime të glukozës, si edhe të merni këshilla të vlefshme nëpërmjet asistentit tonë. Glukosio respekton privatësin tuaj dhe ju jeni gjithmon në kontroll të të dhënave tuaja. + Përdoruesi i vënë në qëndër. Aplikacionet e Glukosio janë të ndërtuara me mjete dhe me një dizajn që përputhet me kërkesat e përdoruesit dhe ne jemi gjithmonë të hapur për sugjerime për përmirësime të mëtejshme. + Me kod burimi të hapur. Aplikacionet e Glukosio ju japin juve lirinë që të përdorni, kopjoni, studioni dhe ndryshoni kodin burim të secilit nga aplikacionet tona dhe madje edhe të kontribuoni në projektin Glukosio. + Menaxho të dhënat. Glukosio ju lejonë që të gjurmoni dhe menaxhoni të dhënat tuaja të diabetit nga një ndërfaqje intuitive dhe moderne e ndërtuar me sugjerimet e diabetikëve. + Mbështet kërkimin. Aplikacionet e Glukosio i japin përdoruesëve mundësin që të futen dhe të shpërndajnë në mënyrë anonime me kërkuesit të dhënat e tyre për diabitin dhe informacionet demografike. + Ju lutem plotësoni të metat, problemet ose kërkesat për mjete të tjera te: + https://github.com/glucosio/android + Më shume detaje: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-sq/strings.xml b/app/src/main/res/values-sq/strings.xml old mode 100755 new mode 100644 index 1ad721e9..0152b8a7 --- a/app/src/main/res/values-sq/strings.xml +++ b/app/src/main/res/values-sq/strings.xml @@ -1,14 +1,19 @@ + Glucosio Parametrat + Dërgo përshtypjet Pasqyra Historia Këshilla Përshëndetje. Përshëndetje. + Termat e Përdorimit. + I kam lexuar dhe i pranoj Termat e Përdorimit + Përmbajtja e websitit dhe aplikacioneve Glucosio, si teksti, grafikët, imazhet dhe materiale të tjera janë vetëm për qëllime informuese. Përmbajtja nuk ka si synim të jetë një zëvëndësim i këshillave profesionale mjekësore, diagnozave apo trajtimit. Ne i inkurajojmë përdoruesit e Glucosio që gjithmonë të kërkojnë këshillën e mjekut ose të personave të tjerë të kualifikuar për çështjtet e shëndetit për pyetjet që ata mund të kenë rreth gjëndjes së tyre shëndetësore. Kurrë nuk duhet ta shpërfillni këshillën mjekësore të një profesionisti ose të mos e kërkoni atë për shkak të diçkaje që keni lexuar në websitin e Glucoson ose në ndonjë nga aplikacionet tona. Websiti i Glucosio, Blogu, Wiki, dhe përmbajtje të tjera të arritshme nëpërmjet kërkimit në web duhet të përdoren vetëm për qëllimet e përshkruara më sipër. Besimi te çdo informacion i siguruar nga Glucosio, antarët e skuadrës së Glucosio, vullnetarët dhe personat e tjerë që shfaqen në site ose ne aplikacionet tona është vetëm në dorën tuaj. Siti dhe Përmbajtja ju sigurohen me baza \"siç është\". Na duhen vetëm disa gjëra të vogla para se të fillojmë. - Gjuha e preferuar + Vendi Mosha Ju lutem vendosni një moshë të vlefshme. Gjinia @@ -21,8 +26,9 @@ Njësia e preferuar Kontribo me të dhëna anonime për kërkime shkencore. Mund t\'i ndryshoni këto në parametrat më vonë. - FILLO - Nuk ekzistojnë të dhëna. \n Shtoni të parën këtu. + Tjetri + FILLO + Nuk ka ende informacione në dispozicion. Shtoni leximin tuaj të parë këtu. Shto Nivelin e Glukozës në Gjak Përqendrimi Data @@ -34,8 +40,13 @@ Pas drekës Para darkës Pas darkës + Të përgjithshme + Kontrollo përsëri + Natë + Tjetër ANULLO SHTO + Ju lutemi shtoni një vlerë të vlefshme. Ju lutem plotësoni të gjitha fushat. Fshij Edito @@ -44,32 +55,82 @@ Shikimi i fundit: Tendenca në muajin e fundit: brenda kufinjve dhe i shëndetshëm - Këshillë - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + Muaj + Dita + Java + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + Rreth nesh + Versioni + Termat e përdorimit + Tipi + Pesha + Kategoria e matjeve të zakonshme + + Hani ushqime të freskëta dhe të papërpunuara për të ndihmuar reduktimin e karbohidrateve dhe të nivelit të sheqerit. + Lexoni etiketën e ushqimeve dhe pijeve të paketuara për të kontrolluar marrjen e sheqerit dhe karbohidrateve. + Kur të hani jashtë, kërkoni për peshk ose mish të pjekur pa gjalp ose vaj shtesë. + Kur të hani jashtë, kërkoni ushqime me nivel të ulët natriumi. + Kur të hani jashtë, hani vakte me të njëjtën sasi sa do hanit edhe në shtëpi dhe pjesën e mbetur merreni me vete. + Kur të hani jashtë kërkoni për artikuj me kalori të ulëta, si salcat për sallatën edhe nëse ato nuk janë në menu. + Kur të hani jashtë kërkoni për zëvëndësime. Në vend të patateve të skuqura, kërkoni një porosi në sasi të dyfishtë me perime si sallata, bishtaja ose brokoli. + Kur të hani jashtë, porosisni ushqime që nuk janë të thata ose të skuqura. + Kur të hani jashtë kërkoni për salca, leng mishi dhe sallatën anës. + Pa sheqer nuk do të thotë me të vërtetë pa sheqer. Do të thotë 0.5 gram (g) sheqer për çdo vakt, kështu që tregohuni të kujdesshëm që të mos e teproni me shumë artikuj pa sheqer. + Të arrish një peshë të shëndetshme ndihmon në kontrollin e nivelit të sheqerit në gjak. Doktori juaj, dietologu dhe trajneri i fitnesit mund te te prezantojnë me nje plan që do funksionojë për ju. + Të kontrollosh nivelin e substancave në gjak dhe ta gjurmosh atë me një aplikacion si Glucosio dy herë në ditë, do ju ndihmojë të jeni të ndërgjegjshëm për rezultatet e ushqimit dhe të stilit tuaj të jetesës. + Bëni testet A1c të gjakut për të zbuluar nivelin mesatar të sheqerit në gjak për 2 deri në 3 muajt e fundit. Doktori juaj duhet t\'ju tregojë sesa shpesh ky test duhet të kryhet. + Gjurmimi i sasisë së karbohidrateve që konsumoni mund të jetë po aq e rëndësishme sa kontrolli i nivelit të substancave në gjak pasi karbohidratet influencojnë ndjeshëm nivelin e glikozës në gjak. Flisni me një doktor ose me një dietolog për marrjen e karbohidrateve. + Kontrolli i presionit të gjakut, kolesterolit dhe nivelit të triglicerideve është e rëndësishme pasi diabetikët janë të predispozuar për sëmundjet e zemrës. + Ka disa dieta të përafërta që mund të ndiqni për të ngrënë në mënyrë të shëndetshme dhe për të përmirësuar rezultatet e diabetit. Kërkoni këshilla nga një dietolog për atë që do të ishte më e mira për ju dhe buxhetin tuaj. + Të punosh për të bërë ushtrime rregullisht është vecanërisht e rëndësishme për diabetikët dhe mund të ndihmoj për te mbajtur një peshë të shëndetshme. Flisni me mjekun tuaj për ushtrimet që do jenë të përshtatshme për ju. + Pagjumësia mund tju bëjë të konsumoni ushqime të gatshme dhe si rezultat mund mund të ketë një impakt negativ në shëndetin tuaj. Siguroheni që të bëni një gjumë të mirë gjatë natës dhe këshillohuni me një specialist nëse këni vështirësi. + Stresi mund të ketë një impakt negativ për diabetin, flisni me mjekun tuaj ose me një specialist tjetër të kujdesit për shëndetin për të përballuar stresin. + Të shkuarit te doktori të paktën një herë vit dhe të paturit një komunikim të rregullt gjatë vitit është e rëndësishme për diabetikët për të parandaluar çdo fillim të papritur të problemeve shëndetësore. + Merrini ilaçet tuaja siç i rekomandon mjeku juaj, edhe gabimet më të vogla me dozat mund të ndikojnë në nivelin e glukozës në gjak dhe të shkaktojnë efekte të tjera anësore. Nëse keni vështirësi me të mbajturit mend, pyesni doktorin tuaj ne lidhje me menaxhimin e mjekimit dhe opsioneve për të kujtuar. + + + Të moshuarit me diabet kanë një risk më të lartë për probleme shëndetësore të lidhura me diabetin. Flisni me doktorin tuaj sesi ndikon mosha në diabet dhe nga çfarë të keni kujdes. + Limitoni sasinë e kripës që përdorni gjatë gatimit të ushqimit dhe atë që i shtoni vaktit pasi ai është gatuar. + + Ndihmës + Përditëso tani + OK, E KUPTOVA + DËRGO PËRSHTYPJET + SHTO LEXIM + Përditëso peshën + Sigurohuni që të përditësoni peshën në mënyrë që Glucosio të ketë informacionet më të sakta. + Përditësoni kërkimin opt-in tuajin + Ju gjithmonë mund të keni mundësi për opt-in ose opt-out nga shpërndarja e kërkimeve për diabetin, por kujtoni që të gjitha të dhënat e shpërdara janë plotësisht anonime. Ne shpërndajm vetëm trendet demografike dhe nivelet e glukozës. + Krijo kategori + Glucosio vjenë me kategori të parazgjedhura për inputet e glukozës por ju mund të krijoni kategori të zakonshme tek parametrat që të përputhen me nevojat tuaja të veçanta. + Kontrolloni këtu shpesh + Ndihmësi nga Glucosio siguron këshilla të rregullta dhe do vazhdojë të përmirësohet, kështu që gjithmonë kontrolloni këtu për veprime të dobishme që mund të kryeni për të përmirësuar eksperiencën tuaj me Glucosio dhe për këshilla të tjera të dobishme. + Dërgo komente + Nëse keni ndonjë problem teknik ose doni të ndani përshtypjen tuaj rreth Glucosio ne ju inkurajojm që ti dërgoni ato në menun e parametrave në mënyrë që të na ndihmoni që ta përmirësojmë Glucosion. + Shto një lexim + Sigurohuni që ti shtoni rregullisht leximet tuaja rreth glukozës në mënyrë që ne të mund t\'ju ndihmojm të gjurmoni nivelet tuaja të glukozës me kalimin e kohës. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Gama e preferuar + Shtrirja e zakonshme + Vlera minimale + Vlera maksimale + Provoje tani diff --git a/app/src/main/res/values-sr/google-playstore-strings.xml b/app/src/main/res/values-sr/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-sr/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-sr/strings.xml b/app/src/main/res/values-sr/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-sr/strings.xml +++ b/app/src/main/res/values-sr/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-ss/google-playstore-strings.xml b/app/src/main/res/values-ss/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-ss/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-ss/strings.xml b/app/src/main/res/values-ss/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-ss/strings.xml +++ b/app/src/main/res/values-ss/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-st/google-playstore-strings.xml b/app/src/main/res/values-st/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-st/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-st/strings.xml b/app/src/main/res/values-st/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-st/strings.xml +++ b/app/src/main/res/values-st/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-su/google-playstore-strings.xml b/app/src/main/res/values-su/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-su/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-su/strings.xml b/app/src/main/res/values-su/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-su/strings.xml +++ b/app/src/main/res/values-su/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-sv/google-playstore-strings.xml b/app/src/main/res/values-sv/google-playstore-strings.xml new file mode 100644 index 00000000..94747d0f --- /dev/null +++ b/app/src/main/res/values-sv/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio är en användarcentrerad gratisapp med öppen källkod för personer med diabetes + Genom att använda Glucosio, kan du registrera och spåra blodsockernivåer, anonymt stödja diabetesforskningen genom att bidra med demografiska och anonyma glukostrender och få användbara tips via vår assistent. Glucosio respekterar din integritet och du har alltid kontroll över dina data. + * Användarcentrerad. Glucosio appar byggs med funktioner och en design som matchar användarens behov och vi är ständigt öppna för återkoppling för förbättringar. + * Öppen källkod. Glucosio appar ger dig friheten att använda, kopiera, studera och ändra källkoden för någon av våra appar och även bidra till projektet Glucosio. + * Hantera Data. Med Glucosio kan du spåra och hantera dina diabetesdata från ett intuitivt, modernt gränssnitt byggt med feedback från diabetiker. + * Stödja forskning. Glucosio appar ger användarna möjlighet att välja om de vill dela anonymiserade diabetesuppgifter och demografisk information med forskare. + Vänligen skicka in eventuella buggar, frågor eller önskemål om funktioner på: + https://github.com/glucosio/android + Fler detaljer: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-sv/strings.xml b/app/src/main/res/values-sv/strings.xml new file mode 100644 index 00000000..31cd2da7 --- /dev/null +++ b/app/src/main/res/values-sv/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Inställningar + Skicka feedback + Översikt + Historik + Tips + Hallå. + Hallå. + Användarvillkor. + Jag har läst och accepterar användarvillkoren + Innehållet på Glucosios hemsida och appar, såsom text, grafik, bilder och annat material (\"innehållet\") är endast i informationssyfte. Innehållet är inte avsett att vara en ersättning för professionell medicinsk rådgivning, diagnos eller behandling. Vi uppmuntrar Glucosio-användare att alltid rådfråga sin läkare eller annan kvalificerad hälsoleverantör med eventuella frågor du har om ett medicinskt tillstånd. Aldrig bortse från professionell medicinsk rådgivning eller försening i söker det på grund av något du läst på Glucosio hemsida eller i våra appar. Glucosio hemsida, blogg, Wiki och andra web browser tillgängligt innehåll (\"webbplatsen\") bör användas endast för det ändamål som beskrivs ovan. \n förlitan på information som tillhandahålls av Glucosio, Glucosio medlemmar, volontärer och andra som förekommer på webbplatsen eller i våra appar är enbart på egen risk. Webbplatsen och innehållet tillhandahålls på grundval av \"som är\". + Vi behöver bara några få enkla saker innan du kan sätta igång. + Land + Ålder + Ange en giltig ålder. + Kön + Man + Kvinna + Annat + Diabetestyp + Typ 1 + Typ 2 + Önskad enhet + Dela anonym data för forskning. + Du kan ändra detta i inställningar senare. + Nästa + Kom igång + Ingen information tillgänglig ännu. \n Lägg till dina första värden här. + Lägg till blodsockernivå + Koncentration + Datum + Tid + Uppmätt + Före frukost + Efter frukost + Innan lunch + Efter lunch + Innan middagen + Efter middagen + Allmänt + Kontrollera igen + Natt + Annat + Avbryt + Lägg till + Ange ett giltigt värde. + Vänligen fyll i alla fält. + Ta bort + Redigera + 1 avläsning borttagen + Ångra + Senaste kontroll: + Trend under senaste månaden: + i intervallet och hälsosam + Månad + Day + Vecka + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + Om + Version + Användarvillkor + Typ + Vikt + Anpassad mätkategori + + Ät mer färska, obearbetade livsmedel för att minska intaget av kolhydrater och socker. + Läs näringsetiketten på förpackningar för mat och drycker för att kontrollera socker och kolhydrater. + När man äter ute, be om fisk eller kött kokt utan extra smör eller olja. + När man äter ute, fråga om de har maträtter med låg natriumhalt. + När man äter ute, ät samma portionsstorlekar som du skulle göra hemma och ta med resterna hem. + När man äter ute be om mat med lågt kaloriinnehåll, såsom salladsdressing, även om det inte finns på menyn. + När man äter ute be om att byta ut mat. I stället för pommes frites, begär en dubbel beställning av en grönsak som sallad, gröna bönor eller broccoli. + När man äter ute, beställ mat som inte är panerad eller stekt. + När man äter ute be om såser, brunsås och salladsdressing \"på sidan.\" + Sockerfritt betyder egentligen inte sockerfritt. Det innebär 0,5 gram (g) av socker per portion, så var noga med att inte frossa i alltför många sockerfria produkter. + På väg mot en hälsosam vikt hjälper det att kontrollera blodsockret. Din läkare, en dietist och en tränare kan komma igång med en plan som fungerar för dig. + Kontrollera din blodnivå och spåra den i en app som Glucosio två gånger om dagen, det kommer att hjälpa dig att bli medveten om resultaten från mat och livsstilsval. + Få A1c blodprover för att ta reda på din genomsnittliga blodsocker under de senaste två till tre månader. Läkaren bör tala om för dig hur ofta detta test kommer att behövas för att utföras. + Spårning hur många kolhydrater du förbrukar kan vara lika viktigt som att kontrollera blodnivåer eftersom kolhydrater påverkar blodsockernivåerna. Tala med din läkare eller dietist om kolhydratintag. + Styra blodtryck, kolesterol och triglyceridnivåer är viktigt eftersom diabetiker är mottagliga för hjärtsjukdom. + Det finns flera dietmetoder du kan vidta för att äta hälsosammare och bidra till att förbättra din diabetesresultat. Rådgör med en dietist om vad som fungerar bäst för dig och din budget. + Att arbeta på att få regelbunden motion är särskilt viktigt för dem med diabetes och kan hjälpa dig att behålla en hälsosam vikt. Tala med din läkare om övningar som kan vara lämpliga för dig. + Att ha sömnbrist kan få dig att äta mer, speciellt saker som skräpmat och som ett resultat kan det negativt påverka din hälsa. Var noga med att få en god natts sömn och konsultera en sömnspecialist om du har problem. + Stress kan ha en negativ inverkan på diabetes, prata med din läkare eller annan sjukvårdspersonal om att hantera stress. + Besök din läkare en gång om året och har regelbunden kommunikation under hela året är viktigt för att diabetiker ska förhindra plötsliga tillhörande hälsoproblem. + Ta din medicin som ordinerats av din läkare även små missar i din medicin kan påverka din blodsockernivå och orsaka andra biverkningar. Om du har svårt att minnas fråga din läkare om hantering av medicin och påminnelsealternativ. + + + Äldre diabetiker kan löpa större risk för hälsofrågor i samband med diabetes. Tala med din läkare om hur din ålder spelar en roll i din diabetes och vad man ska titta efter. + Begränsa mängden salt du använder för att laga mat och att som du lägger till måltider efter den har tillagats. + + Assistent + Uppdatera nu + Ok, fick den + Skicka in feedback + Lägg till värden + Uppdatera din vikt + Se till att uppdatera din vikt så att Glucosio har en mer exakt information. + Uppdatera din forskning om du vill vara med + Du kan alltid vara med eller inte vara med vid delning av diabetesforskningen, men kom ihåg alla uppgifter som delas är helt anonyma. Vi delar bara demografi och glukosnivå trender. + Skapa kategorier + Glucosio levereras med standardkategorier för glukos-indata, men du kan skapa egna kategorier i inställningarna för att matcha dina unika behov. + Kolla här ofta + Glucosio assistent ger regelbundna tips och kommer att fortsätta att förbättras, så kontrolera alltid här för nyttiga åtgärder som du kan vidta för att förbättra din erfarenhet av Glucosio och andra användbara tips. + Skicka in feedback + Om du hittar några tekniska problem eller har synpunkter om Glucosio rekommenderar vi att du skickar in den i inställningsmenyn för att hjälpa oss att förbättra Glucosio. + Lägga till ett värde + Var noga med att regelbundet lägga till dina glukosvärden så att vi kan hjälpa dig att spåra dina glukosnivåer över tiden. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Standardintervall + Anpassat intervall + Minvärde + Maxvärde + Prova det nu + diff --git a/app/src/main/res/values-sw/google-playstore-strings.xml b/app/src/main/res/values-sw/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-sw/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-sw/strings.xml b/app/src/main/res/values-sw/strings.xml old mode 100755 new mode 100644 index af5b632d..0ffceb21 --- a/app/src/main/res/values-sw/strings.xml +++ b/app/src/main/res/values-sw/strings.xml @@ -1,14 +1,19 @@ + Glucosio Mazingira + Send feedback Taswira Historia Vidokezi Habari. Habari. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. Tunahitaji tu mambo machache ya haraka kabla ya wewe kuanza. - Lugha unayopendelea + Country Umri Tafadhali andika umri halali. Jinsia @@ -21,8 +26,9 @@ Kitengo unayopendelea Kushiriki data bila majina kwa ajili ya utafiti. Unaweza kubadilisha mazingira haya baadaye. - Pata kuanza - Hakuna data za kutosha. \n Ongeza moja yako ya kwanza hapa. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. Ongeza kiwango cha Glucose katika damu Ukolezi Tarehe @@ -34,8 +40,13 @@ Baada ya chakula cha mchana Kabla ya chakula cha jioni Baada ya chakula cha jioni + General + Recheck + Night + Other GHAIRI ONGEZA + Please enter a valid value. Tafadhali jaza maeneo yote. Futa Hariri @@ -44,8 +55,21 @@ Mwisho kuangalia: Mwenendo zaidi ya mwezi uliopita: katika mbalimbali na afya njema - Kidokezi - + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -54,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -64,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-syc/google-playstore-strings.xml b/app/src/main/res/values-syc/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-syc/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-syc/strings.xml b/app/src/main/res/values-syc/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-syc/strings.xml +++ b/app/src/main/res/values-syc/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-ta/google-playstore-strings.xml b/app/src/main/res/values-ta/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-ta/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-ta/strings.xml b/app/src/main/res/values-ta/strings.xml old mode 100755 new mode 100644 index 2fa846d3..db5a3961 --- a/app/src/main/res/values-ta/strings.xml +++ b/app/src/main/res/values-ta/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + அமைவுகள் + பின்னூட்டங்களை அனுப்பு + Overview + வரலாறு + குறிப்புகள் + வணக்கம். + வணக்கம். + பயன்பாட்டு முறைமை. + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + நாடு + வயது + சரியான வயதை உள்ளிடவும். + பாலினம் + ஆண் + பெண் + மற்ற + Diabetes type + வகை 1 + வகை 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + அடுத்து + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + தேதி + நேரம் + Measured + காலை உணவிற்க்கு முன் + காலை உணவிற்க்கு பின் + மதிய உணவிற்க்கு முன் + மதிய உணவிற்க்கு பின் + Before dinner + After dinner + பொதுவான + Recheck + இரவு + மற்ற + இரத்து செய் + சேர் + Please enter a valid value. + Please fill all the fields. + அழி + தொகு + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-tay/google-playstore-strings.xml b/app/src/main/res/values-tay/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-tay/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-tay/strings.xml b/app/src/main/res/values-tay/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-tay/strings.xml +++ b/app/src/main/res/values-tay/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-te/google-playstore-strings.xml b/app/src/main/res/values-te/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-te/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-te/strings.xml b/app/src/main/res/values-te/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-te/strings.xml +++ b/app/src/main/res/values-te/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-tg/google-playstore-strings.xml b/app/src/main/res/values-tg/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-tg/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-tg/strings.xml b/app/src/main/res/values-tg/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-tg/strings.xml +++ b/app/src/main/res/values-tg/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-th/google-playstore-strings.xml b/app/src/main/res/values-th/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-th/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-th/strings.xml b/app/src/main/res/values-th/strings.xml old mode 100755 new mode 100644 index 2fa846d3..67f4e00f --- a/app/src/main/res/values-th/strings.xml +++ b/app/src/main/res/values-th/strings.xml @@ -1,31 +1,136 @@ - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Glucosio + ตั้งค่า + ส่งคำติชม + ภาพรวม + ประวัติ + เคล็ดลับ + สวัสดี + สวัสดี + เงื่อนไขการใช้ + ฉันได้อ่านและยอมรับเงื่อนไขการใช้งาน + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + ประเทศ + อายุ + กรุณาระบุอายุที่ถูกต้อง + เพศ + ชาย + หญิง + อื่น ๆ + ชนิดของโรคเบาหวาน + ชนิดที่ 1 + ชนิดที่ 2 + หน่วยที่ต้องการ + แบ่งปันข้อมูลนิรนามเพิ่อการวิจัย + คุณสามารถเปลี่ยนการตั้งค่าเหล่านี้ในภายหลัง + ถัดไป + เริ่มต้นใช้งาน + ข้อมูลไม่เพียงพอ \n ป้อนข้อมูลของคุณที่นี่ + เพิ่มค่าระดับน้ำตาลในเลือด + ความเข้มข้น + วันที่ + เวลา + วัดเมื่อ + ก่อนอาหารเช้า + หลังอาหารเช้า + ก่อนอาหารกลางวัน + หลังอาหารกลางวัน + ก่อนอาหารเย็น + หลังอาหารเย็น + ทั่วไป + ตรวจสอบอีกครั้ง + กลางคืน + อื่น ๆ + ยกเลิก + เพิ่ม + กรุณาใส่ค่าถูกต้อง + กรุณากรอกข้อมูลให้ครบทุกรายการ + ลบ + แก้ไข + ลบแล้ว 1 รายการ + เลิกทำ + ตรวจสอบครั้งล่าสุด: + แนวโน้มช่วงเดือนที่ผ่านมา: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + เกี่ยวกับ + เวอร์ชั่น + เงื่อนไขการใช้งาน + ชนิด + น้ำหนัก + Custom measurement category + + กินอาหารสดหรือที่ไม่ผ่านการแปรรูปเพิ่มขึ้น เพื่อช่วยลดคาร์โบไฮเดรตและน้ำตาล + อ่านฉลากโภชนาการบนภาชนะบรรจุอาหารและเครื่องดื่มในการควบคุมการบริโภคน้ำตาลและคาร์โบไฮเดรต + เมื่อรับประทานอาหารนอกบ้าน ขอเป็นเนื้อปลาหรือเนื้อย่างที่ไม่ทาเนยหรือน้ำมัน + เมื่อรับประทานอาหารนอกบ้าน ขอเป็นอาหารโซเดียมต่ำ + เมื่อรับประทานอาหารนอกบ้าน รับประทานในสัดส่วนเดียวกับที่รับประทานที่บ้าน หากเหลือก็นำกลับบ้าน + เมื่อรับประทานอาหารนอกบ้าน เลือกในสิ่งที่ปริมาณแคลอรี่ต่ำ เช่นสลัดผัก แม้ว่าจะไม่อยู่ในเมนู + เมื่อรับประทานอาหารนอกบ้าน ขอเลือกเปลี่ยนเมนู เป็นต้นว่า แทนที่จะเป็นมันฝรั่งทอด ขอเป็นผักสลัด ถั่วลันเตาหรือบรอกโคลี่ + เมื่อรับประทานอาหารนอกบ้าน สั่งอาหารที่ไม่ใช่ขนมปัง หรือของทอด + เมื่อรับประทานอาหารนอกบ้าน ขอแยกซอสราดสลัดต่างหาก + ชูการ์ฟรีไม่ได้หมายความว่าจะปราศจากน้ำตาล หากแต่มีน้ำตาลอยู่ 0.5 กรัม (g) ต่อหนึ่งหน่วยการบริโภค ดังนั้นพึงระวังไม่หลงระเริงไปกับสินค้าชูการ์ฟรี Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + ตรวจเลือดดูระดับ HbA1c เพื่อดูระดับน้ำตาลเฉลี่ยสะสมในเลือดในรอบไตรมาสที่ผ่านมา แพทย์ของคุณควรจะแนะนำว่าจะต้องตรวจดูระดับ HbA1c บ่อยเพียงใด Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + ผู้ช่วย + อัพเดตเดี๋ยวนี้ + ได้ ฉันเข้าใจ + ส่งคำติชม + ADD READING + ปรับปรุงน้ำหนักของคุณ + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + ส่งคำติชม + ในการที่จะช่วยให้เราปรับปรุง Glucosio หากคุณพบปัญหาทางเทคนิคหรือมีข้อเสนอแนะใด ๆ คุณสามารถส่งข้อมูลให้เราได้ในเมนูการตั้งค่า + เพิ่มข้อมูล + ตรวจสอบให้แน่ใจว่าได้บันทึกระดับน้ำตาลกลูโคสเป็นประจำ เพื่อที่เราสามารถช่วยคุณติดตามระดับน้ำตาลกลูโคสตลอดเวลา + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + ช่วงที่ต้องการ + ช่วงที่กำหนดเอง + ค่าต่ำสุด + ค่าสูงสุด + TRY IT NOW diff --git a/app/src/main/res/values-ti/google-playstore-strings.xml b/app/src/main/res/values-ti/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-ti/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-ti/strings.xml b/app/src/main/res/values-ti/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-ti/strings.xml +++ b/app/src/main/res/values-ti/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-tk/google-playstore-strings.xml b/app/src/main/res/values-tk/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-tk/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-tk/strings.xml b/app/src/main/res/values-tk/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-tk/strings.xml +++ b/app/src/main/res/values-tk/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-tl/google-playstore-strings.xml b/app/src/main/res/values-tl/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-tl/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-tl/strings.xml b/app/src/main/res/values-tl/strings.xml old mode 100755 new mode 100644 index 2fa846d3..8059dcf6 --- a/app/src/main/res/values-tl/strings.xml +++ b/app/src/main/res/values-tl/strings.xml @@ -1,16 +1,84 @@ - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. + Glucosio + Mga Setting + Magpadala ng feedback + Tinging-pangmalawakan + Kasaysayan + Mga tips + Kumusta. + Kumusta. + Patakaran sa Paggamit. + Binasa at sumasang-ayon ako sa Patakaran sa Paggamit + Ang mga nilalaman ng website at apps ng Glucosio, kagaya ng mga teksto, grapiks, larawan, st iba osng materyales (\"Nilalaman\") ay para sa kaalaman lamang. Ang nilalaman ay hindi pakay na panghalili sa propesyonal na payo ng doktor, diagnosis, o panlunas. Hinihikayat namin ang mga taga-gamit ng Glucosio na laginf kumonsulta sa doktor o sa iba pang kwalipikadong health provider sa kahit na anong katanungang tungkol sa inyong kundisyong pangkalusugan. Huwag isa-isang-tabi o ipagpa-bukas ang pagpapakonsulta nang dahil sa kung anong inyong nabasa sa website o sa apps ng Glucosio. Ang website, blog, wiki, at iba psng mga nilalamang nakakalap sa pamamagitan ng web browser (\"Website\") ay dapat lamang gamitin sa mga kadahilanang inilarawan sa itaas. \n Ang pagbabatay sa kahit alinmang impormasyong ibinahagi ng Glucosio, ng mga kasali sa pangkat Glucosio, mga boluntaryo at iba pang nakikita sa aming website o apps ay + Kinakailangan natin ng ilang mga bagay bago tayo magsimula. + Bansa + Edad + Paki lagay ang tamang edad. + Kasarian + Lalaki + Babae + Iba pa + Uri ng Diabetes + Type 1 + Type 2 + Ninanais na unit + Ibahagi ang mga anonymous data para sa pananaliksik. + Maaring palitang ang settings sa paglaon. + SUSUNOD + MAGSIMULA + Wala pang impormasyon. \n Ilagay ang iyong unang reading dito. + Ilagay ang Blood Glucose Level + Konsentrasyon + Petsa + Oras + Sinukat + Bago mag-almusal + Matapos mag-almusal + Bago mananghalian + Matapos mananghalian + Bago mag-hapunan + Matapos maghapunan + Pangkalahatan + Subukin muli + Gabi + Iba pa + Kanselahin + Idagdag + Mangyaring ilagay ang tamang value. + Paki-punan ang lahat ng kahon. + Burahin + Baguhin + 1 reading ang binura + Ibalik + Huling check: + Trend sa nakalipas na buwan: + pasok sa range at may kalusugan + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + Patungkol + Bersyon + Patakaran sa Paggamit + Uri + Weight + Kategorya ng pansariling sukatan + + Kumain ng mas maraming sariwa, hindi prinosesong pagkain upang mabawasan ang pagpasok sa katawan ng carbohydrates at asukal. + Basahin ang nutritional label sa mga nakapaketeng pagkain at inumin upang makontrol ang pagpasok sa katawan ng carbihydrate at asukal. + Kapag kumakain sa labas, piliin ang isda o karneng inihaw nang walang dagdag na butter o mantika. + Kung kakain sa labas, piliin ang mga pagkaing mababa sa sodium. + Kung kakain sa labas, kumain ng kaparehong sukat na kagaya nang kung kumakain sa bahay at iuwi ang mga tirang pagkain. When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-tn/google-playstore-strings.xml b/app/src/main/res/values-tn/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-tn/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-tn/strings.xml b/app/src/main/res/values-tn/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-tn/strings.xml +++ b/app/src/main/res/values-tn/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-tr/google-playstore-strings.xml b/app/src/main/res/values-tr/google-playstore-strings.xml new file mode 100644 index 00000000..15c714f8 --- /dev/null +++ b/app/src/main/res/values-tr/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + Daha fazla bilgi: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-tr/strings.xml b/app/src/main/res/values-tr/strings.xml old mode 100755 new mode 100644 index 1c177895..445976b0 --- a/app/src/main/res/values-tr/strings.xml +++ b/app/src/main/res/values-tr/strings.xml @@ -1,14 +1,20 @@ + Glucosio Ayarlar + Geribildirim gönder Önizleme Geçmiş İpuçları Merhaba. Merhaba. + Kullanım Şartları. + Kullanım şartlarını okudum ve kabul ediyorum + Glucosio Web sitesi, grafik, resim ve diğer malzemeleri (\"içerik\") gibi şeyler sadece +bilgilendirme amaçlıdır. Doktorunuzun söylediklerinin yanı sıra, size yardımcı olmak için hazırlanan profesyonel bir uygulamadır. Nitelikli sağlık denetimi için her zaman doktorunuza danışın. Uygulama profesyonel bir sağlık uygulamasıdır, fakat asla ve asla doktorunuza görünmeyi ihmal etmeyin ve uygulamanın söylediklerine göre doktorunuza gitmemezlik etmeyin. Glucosio Web sitesi, Blog, Wiki ve diğer erişilebilir içerik (\"Web sitesi\") yalnızca yukarıda açıklanan amaç için kullanılmalıdır. \n güven Glucosio, Glucosio ekip üyeleri, gönüllüler ve diğerleri tarafından sağlanan herhangi bir bilgi Web sitesi veya bizim uygulamamız içerisinde görülen sadece vasıl senin kendi tehlike üzerindedir. Site ve içeriği \"olduğu gibi\" bazında sağlanır. Başlamadan önce birkaç şey yapmamız gerekiyor. - Tercih edilen dil + Ülke Yaş Lütfen geçerli bir yaş giriniz. Cinsiyet @@ -21,8 +27,9 @@ Tercih edilen birim Araştırma için kimliksiz bilgi gönder. Bu ayarları daha sonra değiştirebilirsiniz. - BAŞLA - Kullanılabilir veri yok. Buraya ilkini ekleyiniz. \n. + SONRAKİ + BAŞLA + Bilgi henüz yok. \n Buraya ekleyebilirsiniz. Kan glikoz düzeyini Ekle Konsantrasyon Tarih @@ -34,8 +41,13 @@ Öğle yemeğinden sonra Akşam yemeğinden önce Akşam yemeğinden sonra + Genel + Yeniden denetle + Gece + Diğer İptal EKLE + Lütfen geçerli bir değer girin. Lütfen tüm boşlukları doldurun. Sil Düzenle @@ -44,32 +56,82 @@ Son kontrol: Son bir ay içindeki trend: aralığın içinde bulunan ve aynı zamanda sağlıklı - İpucu - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Ay + Gün + Hafta + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + Hakkında + Sürüm + Kullanım Şartları + Tür + Ağırlık + Özel ölçüm kategorisi + + Karbonhidrat ve şeker alımını en aza indirmek için taze ve işlenmemiş gıdalar tüketin. + Paketlenmiş ürünlerin karbonhidrat ve şeker düzeyini kontrol etmek için etiketlerini okuyun. + Dışarıda yerken, ekstra hiç bir yağ veya tereyağı olmadan balık, et ızgara isteyin. + Dışarıda yerken, düşük sodyumlu yemekleri olup olmadığını sorun. + Dışarıda yerken, evde yediğiniz porsiyon kadar sipariş edin. Geri kalanları ise eve götürmeyi isteyin. + Dışarıda yerken düşük kalorilileri tercih edin, salata sosları gibi, menüde olmasa bile isteyin. + Dışarıda yemek yerken değişim istemekten çekinmeyin. Patates kızartması yerine çift porsiyon sebze isteyin, örneğin salata, yeşil fasulye veya brokoli gibi. + Dışarıda yerken kızartılmış ürünlerden kaçının. + Dışarıda yemek yerken sos istediğinizde salatanın \"kenarına\" koymalarını isteyin + Şekersiz demek, tamamen şeker içermiyor demek değildir. Porsiyon başına 0.5 gram şeker içeriyor demektir. Yani çok fazla \"şekersiz\" ürün tüketmeyin. + Hareket ederek kilo vermek kan şekerinizin kontrolünde size yardımcı olur. Bir doktordan, diyetisyenden veya fitness eğitmeninden çalışmanız için plan yardım alabilirsiniz. + Glucosio gibi uygulamalarla günde iki defa kan düzeyinizi kontrol etmek ve takip etmek sizi istenmeyen sonuçlardan uzak tutacaktır. + Son 2 - 3 aylık ortalama kan şekerinizi öğrenmek için A1c kan testi yapın. Doktorunuz bu testi ne sıklıkla yapmanız gerektiğini size söyleyecektir. Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Diyabet hastalığı kalp duyarlı olduğundan tansiyon, kolesterol ve trigliserid düzeylerini kontrol etmek önemlidir. + Sağlıklı beslenme ve diyabet sonuçlar geliştirmek yardım için yapabileceğiniz birçok diyet yaklaşım vardır. Bir diyetisyenden tavsiye almak işinize yarayacaktır. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Yardımcı + Şimdi Güncelleştir + TAMAM, ANLADIM + GERİ BİLDİRİM GÖNDER + OKUMA EKLE + Kilonuzu güncelleştirin + Kilonuzu sık sık güncelleyin böylece Glucosio en en doğru bilgilere sahip olsun. + Araştırmanı güncelle opt-in + Her zaman opt-in yada opt-out diyabet gidişatını paylaşabilirsin, ama unutma paylaşılan tüm verilerin tamamen anonim olduğunu unutmayın. Paylaştığımız sadece demografik ve glikoz seviyesi eğilimleri. + Kategorileri oluştur + Glucosio glikoz girişi için varsayılan kategoriler bulundurmaktadır ancak benzersiz gereksinimlerinize ayarlarında özel kategoriler oluşturabilirsiniz. + Burayı sık sık kontrol et + Glucosio Yardımcısı düzenli ipuçları sağlar ve ilerlemeyi kaydeder, bu yüzden her zaman burayı, Glucosio deneyiminizi geliştirmek için yapabileceğiniz faydalı işlemler ve diğer yararlı ipuçları için kontrol edin. + Geribildirim Gönder + Eğer herhangi bir teknik sorun bulursanız veya Glucosio hakkında geribildiriminiz varsa Glucosio\'yu geliştirmemize yardımcı olmak için Ayarlar menüsünden geribildirim göndermeyi öneririz. + Bir okuma Ekle + Glikoz değerlerinizi düzenli olarak eklediğinizden emin olun böylece glikoz seviyenizi takip edebilelim. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Tercih edilen aralık + Özel Aralık + En küçük değer + Max. değer + ŞİMDİ DENE diff --git a/app/src/main/res/values-ts/google-playstore-strings.xml b/app/src/main/res/values-ts/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-ts/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-ts/strings.xml b/app/src/main/res/values-ts/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-ts/strings.xml +++ b/app/src/main/res/values-ts/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-tt/google-playstore-strings.xml b/app/src/main/res/values-tt/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-tt/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-tt/strings.xml b/app/src/main/res/values-tt/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-tt/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-tw/google-playstore-strings.xml b/app/src/main/res/values-tw/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-tw/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-tw/strings.xml b/app/src/main/res/values-tw/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-tw/strings.xml +++ b/app/src/main/res/values-tw/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-ty/google-playstore-strings.xml b/app/src/main/res/values-ty/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-ty/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-ty/strings.xml b/app/src/main/res/values-ty/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-ty/strings.xml +++ b/app/src/main/res/values-ty/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-tzl/google-playstore-strings.xml b/app/src/main/res/values-tzl/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-tzl/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-tzl/strings.xml b/app/src/main/res/values-tzl/strings.xml old mode 100755 new mode 100644 index 2fa846d3..438a0a13 --- a/app/src/main/res/values-tzl/strings.xml +++ b/app/src/main/res/values-tzl/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Setatxen + Send feedback + Overview + Þistoria + Tüdeis + Azul. + Azul. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Päts + Vellità + Please enter a valid age. + Xhendreu + Male + Female + Other + Sorta del sücritis + Sorta 1 + Sorta 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Cuncentraziun + Däts + Temp + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + Xheneral + Recheck + Nic\'ht + Other + NIÞILIÇARH + AXHUNTARH + Please enter a valid value. + Please fill all the fields. + Zeletarh + Redactarh + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + Över + Verziun + Terms of use + Sorta + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Axhutor + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-ug/google-playstore-strings.xml b/app/src/main/res/values-ug/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-ug/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-ug/strings.xml b/app/src/main/res/values-ug/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-ug/strings.xml +++ b/app/src/main/res/values-ug/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-uk/google-playstore-strings.xml b/app/src/main/res/values-uk/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-uk/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-uk/strings.xml b/app/src/main/res/values-uk/strings.xml old mode 100755 new mode 100644 index 2fa846d3..5389089a --- a/app/src/main/res/values-uk/strings.xml +++ b/app/src/main/res/values-uk/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Параметри + Надіслати відгук + Огляд + Історія + Рекомендації + Привіт. + Привіт. + Умови використання. + Я прочитав та приймаю умови використання + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Країна + Вік + Будь ласка, вкажіть правильний вік. + Стать + Чоловік + Жінка + Інше + Тип діабету + Тип 1 + Тип 2 + Бажані одиниці + Поділитися анонімними даними для подальшого дослідження. + Ви можете змінити ці налаштування пізніше. + НАСТУПНИЙ + РОЗПОЧНЕМО + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Дата + Час + Measured + Перед сніданком + Після сніданку + Перед обідом + Після обіду + Перед вечерею + Після вечері + General + Повторна перевірка + Ніч + Інше + СКАСУВАТИ + ДОДАТИ + Будь ласка, введіть припустиме значення. + Будь ласка, заповніть всі поля. + Вилучити + Редагувати + 1 reading deleted + СКАСУВАТИ + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + Якщо ви знайшли будь-які технічні недоліки або хочете написати відгук про Glucosio то ви можете зробити це в меню \"Параметри\", що допоможе нам покращити Glucosio. + Add a reading + Переконайтеся, що ви регулярно подаєте ваші показники глюкози, щоб ми могли допомогти вам відстежувати ваш рівень глюкози з часом. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-ur/google-playstore-strings.xml b/app/src/main/res/values-ur/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-ur/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-ur/strings.xml b/app/src/main/res/values-ur/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-ur/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-uz/google-playstore-strings.xml b/app/src/main/res/values-uz/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-uz/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-uz/strings.xml b/app/src/main/res/values-uz/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-uz/strings.xml +++ b/app/src/main/res/values-uz/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-val/google-playstore-strings.xml b/app/src/main/res/values-val/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-val/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-val/strings.xml b/app/src/main/res/values-val/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-val/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-ve/google-playstore-strings.xml b/app/src/main/res/values-ve/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-ve/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-ve/strings.xml b/app/src/main/res/values-ve/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-ve/strings.xml +++ b/app/src/main/res/values-ve/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-vec/google-playstore-strings.xml b/app/src/main/res/values-vec/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-vec/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-vec/strings.xml b/app/src/main/res/values-vec/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-vec/strings.xml +++ b/app/src/main/res/values-vec/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-vi/google-playstore-strings.xml b/app/src/main/res/values-vi/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-vi/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-vi/strings.xml b/app/src/main/res/values-vi/strings.xml old mode 100755 new mode 100644 index 2fa846d3..96f33220 --- a/app/src/main/res/values-vi/strings.xml +++ b/app/src/main/res/values-vi/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Cài đặt + Gửi phản hồi + Tổng quan + Lịch sử + Mẹo + Xin chào. + Xin chào. + Điều khoản sử dụng. + Tôi đã đọc và chấp nhận các điều khoản sử dụng + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Quốc gia + Tuổi + Vui lòng nhập tuổi hợp lệ. + Giới tính + Nam + Nữ + Khác + Diabetes type + Type 1 + Type 2 + Preferred unit + Chia sẻ dữ liệu ẩn danh cho nghiên cứu. + Bạn có thể thay đổi này trong cài đặt sau đó. + TIẾP THEO + BẮT ĐẦU + No info available yet. \n Add your first reading here. + Thêm mức độ Glucose trong máu + Concentration + Ngày tháng + Thời gian + Đo + Trước khi ăn sáng + Sau khi ăn sáng + Trước khi ăn trưa + Sau khi ăn trưa + Trước khi ăn tối + Sau khi ăn tối + Tổng quát + Kiểm tra lại + Buổi tối + Khác + HỦY BỎ + THÊM + Vui lòng nhập một giá trị hợp lệ. + Xin vui lòng điền vào tất cả các mục. + Xoá + Chỉnh sửa + 1 reading deleted + HOÀN TÁC + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-vls/google-playstore-strings.xml b/app/src/main/res/values-vls/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-vls/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-vls/strings.xml b/app/src/main/res/values-vls/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-vls/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-w820dp/dimens.xml b/app/src/main/res/values-w820dp/dimens.xml deleted file mode 100644 index 63fc8164..00000000 --- a/app/src/main/res/values-w820dp/dimens.xml +++ /dev/null @@ -1,6 +0,0 @@ - - - 64dp - diff --git a/app/src/main/res/values-wa/google-playstore-strings.xml b/app/src/main/res/values-wa/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-wa/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-wa/strings.xml b/app/src/main/res/values-wa/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-wa/strings.xml +++ b/app/src/main/res/values-wa/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-wo/google-playstore-strings.xml b/app/src/main/res/values-wo/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-wo/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-wo/strings.xml b/app/src/main/res/values-wo/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-wo/strings.xml +++ b/app/src/main/res/values-wo/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-xh/google-playstore-strings.xml b/app/src/main/res/values-xh/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-xh/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-xh/strings.xml b/app/src/main/res/values-xh/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-xh/strings.xml +++ b/app/src/main/res/values-xh/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-yi/google-playstore-strings.xml b/app/src/main/res/values-yi/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-yi/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-yi/strings.xml b/app/src/main/res/values-yi/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-yi/strings.xml +++ b/app/src/main/res/values-yi/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-yo/google-playstore-strings.xml b/app/src/main/res/values-yo/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-yo/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-yo/strings.xml b/app/src/main/res/values-yo/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-yo/strings.xml +++ b/app/src/main/res/values-yo/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-zea/google-playstore-strings.xml b/app/src/main/res/values-zea/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-zea/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-zea/strings.xml b/app/src/main/res/values-zea/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-zea/strings.xml +++ b/app/src/main/res/values-zea/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/app/src/main/res/values-zh/google-playstore-strings.xml b/app/src/main/res/values-zh/google-playstore-strings.xml new file mode 100644 index 00000000..f6f41b98 --- /dev/null +++ b/app/src/main/res/values-zh/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio 是一个以用户为中心的针对糖尿病患者的免费、开源应用 + 使用 Glucosio,您可以输入和跟踪血糖水平,匿名支持人口统计学和不记名血糖趋势的糖尿病研究,以及从我们的小助手获得有益的提示。Glucosio 尊重您的隐私权,您始终可以控制自己的数据。 + * 以用户为中心。Glucosio 应用的功能和设计以用户需求为准则,我们持久开放反馈渠道并进行改进。 + * 开源。Glucosio 允许您自由的使用、复制、学习和更改我们应用的源代码,以及为 Glucosio 项目进行贡献。 + * 管理数据。Glucosio 允许您跟踪和管理自己的糖尿病数据,以直观、现代化的界面,基于糖尿病患者的反馈而建立。 + * 支持学术研究。Glucosio 应用给用户可选退出的选项,来分享匿名化的糖尿病数据和人口统计信息供学术研究。 + 请将 Bug、问题或功能请求填报到: + https://github.com/glucosio/android + 更多信息: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-zh/strings.xml b/app/src/main/res/values-zh/strings.xml new file mode 100644 index 00000000..baaf3ab6 --- /dev/null +++ b/app/src/main/res/values-zh/strings.xml @@ -0,0 +1,137 @@ + + + + Glucosio + 设置 + 发送反馈 + 概览 + 历史记录 + 小提示 + 你好 + 你好 + 使用条款。 + 我已经阅读并接受使用条款 + Glucosio 网站的内容,包括文字、图形、图像及其他材料(内容)均仅供参考。内容不能取代专业的医疗建议、诊断和治疗。我们鼓励 Glucosio 的用户始终与你的医生或者其他合格的健康提供者提出有关医疗的问题。千万不要因为阅读了我们的 Glucosio 网站或应用而忽视或者耽搁专业的医疗咨询。Glucosio 网站、博客、Wiki 及其他网络浏览器可访问的内容(网站)应仅用于上述目的。\n来自 Glucosio、Glucosio 团队成员、志愿者,以及其他出现在我们网站或应用中的内容均需要您自担风险。网站和内容按“原样”提供。 + 在开始使用前,我们需要少许时间。 + 国家 / 地区 + 年龄 + 请输入一个有效的年龄。 + 性别 + + + 其他 + 糖尿病类型 + 1型糖尿病 + 2型糖尿病 + 首选单位 + 分享匿名数据供研究用途。 + 您可以在以后更改这些设置。 + 下一步 + 开始使用 + 尚无可用信息。\n先在这里阅读一些信息吧。 + 添加血糖水平 + 浓度 + 日期 + 时间 + 测量于 + 早餐前 + 早餐后 + 午餐前 + 午餐后 + 晚餐前 + 晚餐后 + 常规 + 重新检查 + 夜间 + 其他 + 取消 + 添加 + 请输入有效的值。 + 请填写所有字段。 + 删除 + 编辑 + 1 读删除 + 撤销 + 上次检查: + 过去一个月的趋势: + 范围与健康 + + + + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + 关于 + 版本 + 使用条款 + 类型 + 体重 + 自定义测量分类 + + 多吃新鲜的未经加工的食品,帮助减少碳水化合物和糖的摄入量。 + 阅读包装食品和饮料的营养标签,控制糖和碳水化合物的摄入量。 + 外出就餐时,问是否有鱼或者未用油烤制而成的肉。 + 外出就餐时,问他们是否有低钠的食品。 + 外出就餐时,只吃与在家和外带打包相同的份量。 + 外出就餐时,问是否有低卡路里的食物,比如沙拉酱,即使这没写在菜单上。 + 外出就餐时学会替代。不要点炸薯条,应该要绿豆、西兰花、蔬菜沙拉等视频。 + 外出就餐时,订单不裹面包屑或油炸的食品。 + 外出就餐时要求把酱汁、肉汁和沙拉酱放在一边,适量添加。 + 无糖并不是真的无糖。它意味着每100克或毫升有不超过 0.5 克糖。所以不要沉醉于太多的无糖食品。 + 迈向健康的体重有助于控制血糖。你的医生、营养师或健康教练可以带你开始一个适合你的健康计划。 + 检查你的血液水平,并且在像是 Glucosio 之类的应用中跟踪,一天两次。这将有助于你了解选择食物和生活方式的结果。 + 进行糖化血红蛋白测试,找出你过去两三个月中的平均血糖。你的医生应该会告诉你,这样的测试应该每 +多久进行一次。 + 监测你消耗了多少碳水化合物,因为碳水化合物会影响血糖水平。与你的医生谈谈应该摄入多少碳水化合物。 + 控制血压、胆固醇和甘油三酯水平也很重要,因为糖尿病患者易患心脏疾病。 + 几种健康的饮食方法可以让你更健康,改善糖尿病的结果。与你的营养师咨询,找到最适合你的预算和日常的方案。 + 进行日常的锻炼活动,这有助于保持健康的体重,特别是对于糖尿病患者。你的医生会与你谈谈适合你的健身方式。 + 失眠可能使你吃更多,特别是垃圾食品,因此可能对你的健康产生负面影响。一定要有良好的睡眠,如果有睡眠困难情况,与相关专家请教吧。 + 压力可能对糖尿病带来负面影响,与你的医生或者其他医疗专业人士谈谈吧。 + 每年去看一次你的医生,全年定期沟通对糖尿病患者很重要,可防止突发的相关健康问题。 + 按医生处方服药,小小的偏差就可能影响你的血糖水平和引起其他副作用。如果你很难记住,向医生要一份药品管理和记忆的方法。 + + + 老年的糖尿病人遇到与糖尿病相关的健康风险可能性更高。询问你的医生,关于在你的年龄如何监控糖尿病的情况,以及注意事项。 + 限制您添加的食盐量,并且在烹熟加入。 + + 助理 + 立即更新 + 好的,知道了! + 提交反馈 + 添加阅读 + 更新你的体重 + 请确保更新你的体重,以便 Glucosio 有最准确的信息。 + 更新你的研究选项 + 您随时可以选择加入或退出糖尿病研究资源共享,但请了解所有共享的数据都是完全匿名的。我们只分享人口统计和血糖水平趋势。 + 创建分类 + Glucosio 默认带有血糖读数分类,您还可以在设置中创建自定义的分类以满足您的独特需求。 + 经常检查这里 + Glucosio 助理提供定期的提示并将不断改善,因此请经常检查这里的提示,这有助您采取措施来提高使用 Glucosio 的经验和技巧。 + 提交反馈 + 如果您发现了任何技术问题,或有关于 Glucosio 的反馈,我们鼓励您在设置菜单中提交它,以帮助我们改进 Glucosio。 + 添加阅读 + 一定要定期添加您的血糖读数,以便我们帮助您随时间跟踪您的血糖水平。 + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + 首选范围 + 自定义范围 + 最小值 + 最大值 + 现在试试它 + diff --git a/app/src/main/res/values-zu/google-playstore-strings.xml b/app/src/main/res/values-zu/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-zu/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-zu/strings.xml b/app/src/main/res/values-zu/strings.xml old mode 100755 new mode 100644 index 2fa846d3..df9faee7 --- a/app/src/main/res/values-zu/strings.xml +++ b/app/src/main/res/values-zu/strings.xml @@ -1,7 +1,75 @@ - + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. @@ -10,7 +78,7 @@ When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." + When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. @@ -20,12 +88,49 @@ There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW diff --git a/crowdin.yaml b/crowdin.yaml deleted file mode 100644 index e69de29b..00000000 From 199b094cb89fe10e89e8e5046d5c5a14d068cb66 Mon Sep 17 00:00:00 2001 From: Paolo Rotolo Date: Mon, 5 Oct 2015 20:38:03 +0200 Subject: [PATCH 078/126] Remove lines in graph. --- .../org/glucosio/android/fragment/OverviewFragment.java | 8 ++++---- 1 file changed, 4 insertions(+), 4 deletions(-) diff --git a/app/src/main/java/org/glucosio/android/fragment/OverviewFragment.java b/app/src/main/java/org/glucosio/android/fragment/OverviewFragment.java index 325d1089..648d98ca 100644 --- a/app/src/main/java/org/glucosio/android/fragment/OverviewFragment.java +++ b/app/src/main/java/org/glucosio/android/fragment/OverviewFragment.java @@ -99,7 +99,7 @@ public void onNothingSelected(AdapterView parent) { xAxis.setPosition(XAxis.XAxisPosition.BOTTOM); xAxis.setTextColor(getResources().getColor(R.color.glucosio_text_light)); - LimitLine ll1 = new LimitLine(130f, "High"); + /* LimitLine ll1 = new LimitLine(130f, "High"); ll1.setLineWidth(1f); ll1.setLineColor(getResources().getColor(R.color.glucosio_gray_light)); ll1.setTextColor(getResources().getColor(R.color.glucosio_text)); @@ -119,14 +119,14 @@ public void onNothingSelected(AdapterView parent) { ll4.setLineWidth(1f); ll4.enableDashedLine(10, 10, 10); ll4.setLineColor(getResources().getColor(R.color.glucosio_gray_light)); - ll4.setTextColor(getResources().getColor(R.color.glucosio_text)); + ll4.setTextColor(getResources().getColor(R.color.glucosio_text));*/ YAxis leftAxis = chart.getAxisLeft(); leftAxis.removeAllLimitLines(); // reset all limit lines to avoid overlapping lines - leftAxis.addLimitLine(ll1); +/* leftAxis.addLimitLine(ll1); leftAxis.addLimitLine(ll2); leftAxis.addLimitLine(ll3); - leftAxis.addLimitLine(ll4); + leftAxis.addLimitLine(ll4);*/ leftAxis.setTextColor(getResources().getColor(R.color.glucosio_text_light)); leftAxis.setStartAtZero(false); //leftAxis.setYOffset(20f); From 43de782c8b3797ea611c92e0cbdfa253505247e5 Mon Sep 17 00:00:00 2001 From: Paolo Rotolo Date: Mon, 5 Oct 2015 23:17:27 +0200 Subject: [PATCH 079/126] Add method to exit from Gitty Activity. --- .../android/activity/GittyActivity.java | 6 + .../android/activity/MainActivity.java | 1 - .../values-aa/google-playstore-strings.xml | 18 --- app/src/main/res/values-aa/strings.xml | 136 ----------------- .../values-ach/google-playstore-strings.xml | 18 --- app/src/main/res/values-ach/strings.xml | 136 ----------------- .../values-ae/google-playstore-strings.xml | 18 --- app/src/main/res/values-ae/strings.xml | 136 ----------------- .../values-af/google-playstore-strings.xml | 18 --- app/src/main/res/values-af/strings.xml | 136 ----------------- .../values-ak/google-playstore-strings.xml | 18 --- app/src/main/res/values-ak/strings.xml | 136 ----------------- .../values-am/google-playstore-strings.xml | 18 --- app/src/main/res/values-am/strings.xml | 136 ----------------- .../values-an/google-playstore-strings.xml | 18 --- app/src/main/res/values-an/strings.xml | 136 ----------------- .../values-ar/google-playstore-strings.xml | 18 --- app/src/main/res/values-ar/strings.xml | 136 ----------------- .../values-arn/google-playstore-strings.xml | 18 --- app/src/main/res/values-arn/strings.xml | 136 ----------------- .../values-as/google-playstore-strings.xml | 18 --- app/src/main/res/values-as/strings.xml | 136 ----------------- .../values-ast/google-playstore-strings.xml | 18 --- app/src/main/res/values-ast/strings.xml | 136 ----------------- .../values-av/google-playstore-strings.xml | 18 --- app/src/main/res/values-av/strings.xml | 136 ----------------- .../values-ay/google-playstore-strings.xml | 18 --- app/src/main/res/values-ay/strings.xml | 136 ----------------- .../values-az/google-playstore-strings.xml | 18 --- app/src/main/res/values-az/strings.xml | 137 ------------------ .../values-ba/google-playstore-strings.xml | 18 --- app/src/main/res/values-ba/strings.xml | 136 ----------------- .../values-bal/google-playstore-strings.xml | 18 --- app/src/main/res/values-bal/strings.xml | 136 ----------------- .../values-ban/google-playstore-strings.xml | 18 --- app/src/main/res/values-ban/strings.xml | 136 ----------------- .../values-be/google-playstore-strings.xml | 18 --- app/src/main/res/values-be/strings.xml | 136 ----------------- .../values-ber/google-playstore-strings.xml | 18 --- app/src/main/res/values-ber/strings.xml | 136 ----------------- .../values-bfo/google-playstore-strings.xml | 18 --- app/src/main/res/values-bfo/strings.xml | 136 ----------------- .../values-bg/google-playstore-strings.xml | 18 --- app/src/main/res/values-bg/strings.xml | 136 ----------------- .../values-bh/google-playstore-strings.xml | 18 --- app/src/main/res/values-bh/strings.xml | 136 ----------------- .../values-bi/google-playstore-strings.xml | 18 --- app/src/main/res/values-bi/strings.xml | 136 ----------------- .../values-bm/google-playstore-strings.xml | 18 --- app/src/main/res/values-bm/strings.xml | 136 ----------------- .../values-bn/google-playstore-strings.xml | 18 --- app/src/main/res/values-bn/strings.xml | 136 ----------------- .../values-bo/google-playstore-strings.xml | 18 --- app/src/main/res/values-bo/strings.xml | 136 ----------------- .../values-br/google-playstore-strings.xml | 18 --- app/src/main/res/values-br/strings.xml | 136 ----------------- .../values-bs/google-playstore-strings.xml | 18 --- app/src/main/res/values-bs/strings.xml | 136 ----------------- .../values-ca/google-playstore-strings.xml | 18 --- app/src/main/res/values-ca/strings.xml | 136 ----------------- .../values-ce/google-playstore-strings.xml | 18 --- app/src/main/res/values-ce/strings.xml | 136 ----------------- .../values-ceb/google-playstore-strings.xml | 18 --- app/src/main/res/values-ceb/strings.xml | 136 ----------------- .../values-ch/google-playstore-strings.xml | 18 --- app/src/main/res/values-ch/strings.xml | 136 ----------------- .../values-chr/google-playstore-strings.xml | 18 --- app/src/main/res/values-chr/strings.xml | 136 ----------------- .../values-ckb/google-playstore-strings.xml | 18 --- app/src/main/res/values-ckb/strings.xml | 136 ----------------- .../values-co/google-playstore-strings.xml | 18 --- app/src/main/res/values-co/strings.xml | 136 ----------------- .../values-cr/google-playstore-strings.xml | 18 --- app/src/main/res/values-cr/strings.xml | 136 ----------------- .../values-crs/google-playstore-strings.xml | 18 --- app/src/main/res/values-crs/strings.xml | 136 ----------------- .../values-cs/google-playstore-strings.xml | 18 --- app/src/main/res/values-cs/strings.xml | 136 ----------------- .../values-csb/google-playstore-strings.xml | 18 --- app/src/main/res/values-csb/strings.xml | 136 ----------------- .../values-cv/google-playstore-strings.xml | 18 --- app/src/main/res/values-cv/strings.xml | 136 ----------------- .../values-cy/google-playstore-strings.xml | 18 --- app/src/main/res/values-cy/strings.xml | 136 ----------------- .../values-da/google-playstore-strings.xml | 18 --- app/src/main/res/values-da/strings.xml | 136 ----------------- .../values-de/google-playstore-strings.xml | 18 --- app/src/main/res/values-de/strings.xml | 136 ----------------- .../values-dsb/google-playstore-strings.xml | 18 --- app/src/main/res/values-dsb/strings.xml | 136 ----------------- .../values-dv/google-playstore-strings.xml | 18 --- app/src/main/res/values-dv/strings.xml | 136 ----------------- .../values-dz/google-playstore-strings.xml | 18 --- app/src/main/res/values-dz/strings.xml | 136 ----------------- .../values-ee/google-playstore-strings.xml | 18 --- app/src/main/res/values-ee/strings.xml | 136 ----------------- .../values-el/google-playstore-strings.xml | 18 --- app/src/main/res/values-el/strings.xml | 136 ----------------- .../values-en/google-playstore-strings.xml | 18 --- app/src/main/res/values-en/strings.xml | 136 ----------------- .../values-eo/google-playstore-strings.xml | 18 --- app/src/main/res/values-eo/strings.xml | 136 ----------------- .../values-es/google-playstore-strings.xml | 18 --- app/src/main/res/values-es/strings.xml | 136 ----------------- .../values-et/google-playstore-strings.xml | 18 --- app/src/main/res/values-et/strings.xml | 136 ----------------- .../values-eu/google-playstore-strings.xml | 18 --- app/src/main/res/values-eu/strings.xml | 136 ----------------- .../values-fa/google-playstore-strings.xml | 18 --- app/src/main/res/values-fa/strings.xml | 136 ----------------- .../values-ff/google-playstore-strings.xml | 18 --- app/src/main/res/values-ff/strings.xml | 136 ----------------- .../values-fi/google-playstore-strings.xml | 18 --- app/src/main/res/values-fi/strings.xml | 136 ----------------- .../values-fil/google-playstore-strings.xml | 18 --- app/src/main/res/values-fil/strings.xml | 136 ----------------- .../values-fj/google-playstore-strings.xml | 18 --- app/src/main/res/values-fj/strings.xml | 136 ----------------- .../values-fo/google-playstore-strings.xml | 18 --- app/src/main/res/values-fo/strings.xml | 136 ----------------- .../values-fr/google-playstore-strings.xml | 18 --- app/src/main/res/values-fr/strings.xml | 136 ----------------- .../values-fra/google-playstore-strings.xml | 18 --- app/src/main/res/values-fra/strings.xml | 136 ----------------- .../values-frp/google-playstore-strings.xml | 18 --- app/src/main/res/values-frp/strings.xml | 136 ----------------- .../values-fur/google-playstore-strings.xml | 18 --- app/src/main/res/values-fur/strings.xml | 136 ----------------- .../values-fy/google-playstore-strings.xml | 18 --- app/src/main/res/values-fy/strings.xml | 136 ----------------- .../values-ga/google-playstore-strings.xml | 18 --- app/src/main/res/values-ga/strings.xml | 136 ----------------- .../values-gaa/google-playstore-strings.xml | 18 --- app/src/main/res/values-gaa/strings.xml | 136 ----------------- .../values-gd/google-playstore-strings.xml | 18 --- app/src/main/res/values-gd/strings.xml | 136 ----------------- .../values-gl/google-playstore-strings.xml | 18 --- app/src/main/res/values-gl/strings.xml | 136 ----------------- .../values-gn/google-playstore-strings.xml | 18 --- app/src/main/res/values-gn/strings.xml | 136 ----------------- .../values-gu/google-playstore-strings.xml | 18 --- app/src/main/res/values-gu/strings.xml | 136 ----------------- .../values-gv/google-playstore-strings.xml | 18 --- app/src/main/res/values-gv/strings.xml | 136 ----------------- .../values-ha/google-playstore-strings.xml | 18 --- app/src/main/res/values-ha/strings.xml | 136 ----------------- .../values-haw/google-playstore-strings.xml | 18 --- app/src/main/res/values-haw/strings.xml | 136 ----------------- .../values-he/google-playstore-strings.xml | 18 --- app/src/main/res/values-he/strings.xml | 136 ----------------- .../values-hi/google-playstore-strings.xml | 18 --- app/src/main/res/values-hi/strings.xml | 136 ----------------- .../values-hil/google-playstore-strings.xml | 18 --- app/src/main/res/values-hil/strings.xml | 136 ----------------- .../values-hmn/google-playstore-strings.xml | 18 --- app/src/main/res/values-hmn/strings.xml | 136 ----------------- .../values-ho/google-playstore-strings.xml | 18 --- app/src/main/res/values-ho/strings.xml | 136 ----------------- .../values-hr/google-playstore-strings.xml | 18 --- app/src/main/res/values-hr/strings.xml | 136 ----------------- .../values-hsb/google-playstore-strings.xml | 18 --- app/src/main/res/values-hsb/strings.xml | 136 ----------------- .../values-ht/google-playstore-strings.xml | 18 --- app/src/main/res/values-ht/strings.xml | 136 ----------------- .../values-hu/google-playstore-strings.xml | 18 --- app/src/main/res/values-hu/strings.xml | 136 ----------------- .../values-hy/google-playstore-strings.xml | 18 --- app/src/main/res/values-hy/strings.xml | 136 ----------------- .../values-hz/google-playstore-strings.xml | 18 --- app/src/main/res/values-hz/strings.xml | 136 ----------------- .../values-id/google-playstore-strings.xml | 18 --- app/src/main/res/values-id/strings.xml | 136 ----------------- .../values-ig/google-playstore-strings.xml | 18 --- app/src/main/res/values-ig/strings.xml | 136 ----------------- .../values-ii/google-playstore-strings.xml | 18 --- app/src/main/res/values-ii/strings.xml | 136 ----------------- .../values-ilo/google-playstore-strings.xml | 18 --- app/src/main/res/values-ilo/strings.xml | 136 ----------------- .../values-is/google-playstore-strings.xml | 18 --- app/src/main/res/values-is/strings.xml | 136 ----------------- .../values-it/google-playstore-strings.xml | 18 --- app/src/main/res/values-it/strings.xml | 136 ----------------- .../values-iu/google-playstore-strings.xml | 18 --- app/src/main/res/values-iu/strings.xml | 136 ----------------- .../values-ja/google-playstore-strings.xml | 18 --- app/src/main/res/values-ja/strings.xml | 136 ----------------- .../values-jbo/google-playstore-strings.xml | 18 --- app/src/main/res/values-jbo/strings.xml | 136 ----------------- .../values-jv/google-playstore-strings.xml | 18 --- app/src/main/res/values-jv/strings.xml | 136 ----------------- .../values-ka/google-playstore-strings.xml | 18 --- app/src/main/res/values-ka/strings.xml | 136 ----------------- .../values-kab/google-playstore-strings.xml | 18 --- app/src/main/res/values-kab/strings.xml | 136 ----------------- .../values-kdh/google-playstore-strings.xml | 18 --- app/src/main/res/values-kdh/strings.xml | 136 ----------------- .../values-kg/google-playstore-strings.xml | 18 --- app/src/main/res/values-kg/strings.xml | 136 ----------------- .../values-kj/google-playstore-strings.xml | 18 --- app/src/main/res/values-kj/strings.xml | 136 ----------------- .../values-kk/google-playstore-strings.xml | 18 --- app/src/main/res/values-kk/strings.xml | 136 ----------------- .../values-kl/google-playstore-strings.xml | 18 --- app/src/main/res/values-kl/strings.xml | 136 ----------------- .../values-km/google-playstore-strings.xml | 18 --- app/src/main/res/values-km/strings.xml | 136 ----------------- .../values-kmr/google-playstore-strings.xml | 18 --- app/src/main/res/values-kmr/strings.xml | 136 ----------------- .../values-kn/google-playstore-strings.xml | 18 --- app/src/main/res/values-kn/strings.xml | 136 ----------------- .../values-ko/google-playstore-strings.xml | 18 --- app/src/main/res/values-ko/strings.xml | 136 ----------------- .../values-kok/google-playstore-strings.xml | 18 --- app/src/main/res/values-kok/strings.xml | 136 ----------------- .../values-ks/google-playstore-strings.xml | 18 --- app/src/main/res/values-ks/strings.xml | 136 ----------------- .../values-ku/google-playstore-strings.xml | 18 --- app/src/main/res/values-ku/strings.xml | 136 ----------------- .../values-kv/google-playstore-strings.xml | 18 --- app/src/main/res/values-kv/strings.xml | 136 ----------------- .../values-kw/google-playstore-strings.xml | 18 --- app/src/main/res/values-kw/strings.xml | 136 ----------------- .../values-ky/google-playstore-strings.xml | 18 --- app/src/main/res/values-ky/strings.xml | 136 ----------------- .../values-la/google-playstore-strings.xml | 18 --- app/src/main/res/values-la/strings.xml | 136 ----------------- .../values-lb/google-playstore-strings.xml | 18 --- app/src/main/res/values-lb/strings.xml | 136 ----------------- .../values-lg/google-playstore-strings.xml | 18 --- app/src/main/res/values-lg/strings.xml | 136 ----------------- .../values-li/google-playstore-strings.xml | 18 --- app/src/main/res/values-li/strings.xml | 136 ----------------- .../values-lij/google-playstore-strings.xml | 18 --- app/src/main/res/values-lij/strings.xml | 136 ----------------- .../values-ln/google-playstore-strings.xml | 18 --- app/src/main/res/values-ln/strings.xml | 136 ----------------- .../values-lo/google-playstore-strings.xml | 18 --- app/src/main/res/values-lo/strings.xml | 136 ----------------- .../values-lt/google-playstore-strings.xml | 18 --- app/src/main/res/values-lt/strings.xml | 136 ----------------- .../values-luy/google-playstore-strings.xml | 18 --- app/src/main/res/values-luy/strings.xml | 136 ----------------- .../values-lv/google-playstore-strings.xml | 18 --- app/src/main/res/values-lv/strings.xml | 136 ----------------- .../values-mai/google-playstore-strings.xml | 18 --- app/src/main/res/values-mai/strings.xml | 136 ----------------- .../values-me/google-playstore-strings.xml | 18 --- app/src/main/res/values-me/strings.xml | 136 ----------------- .../values-mg/google-playstore-strings.xml | 18 --- app/src/main/res/values-mg/strings.xml | 136 ----------------- .../values-mh/google-playstore-strings.xml | 18 --- app/src/main/res/values-mh/strings.xml | 136 ----------------- .../values-mi/google-playstore-strings.xml | 18 --- app/src/main/res/values-mi/strings.xml | 136 ----------------- .../values-mk/google-playstore-strings.xml | 18 --- app/src/main/res/values-mk/strings.xml | 136 ----------------- .../values-ml/google-playstore-strings.xml | 18 --- app/src/main/res/values-ml/strings.xml | 136 ----------------- .../values-mn/google-playstore-strings.xml | 18 --- app/src/main/res/values-mn/strings.xml | 136 ----------------- .../values-moh/google-playstore-strings.xml | 18 --- app/src/main/res/values-moh/strings.xml | 136 ----------------- .../values-mos/google-playstore-strings.xml | 18 --- app/src/main/res/values-mos/strings.xml | 136 ----------------- .../values-mr/google-playstore-strings.xml | 18 --- app/src/main/res/values-mr/strings.xml | 136 ----------------- .../values-ms/google-playstore-strings.xml | 18 --- app/src/main/res/values-ms/strings.xml | 136 ----------------- .../values-mt/google-playstore-strings.xml | 18 --- app/src/main/res/values-mt/strings.xml | 136 ----------------- .../values-my/google-playstore-strings.xml | 18 --- app/src/main/res/values-my/strings.xml | 136 ----------------- .../values-na/google-playstore-strings.xml | 18 --- app/src/main/res/values-na/strings.xml | 136 ----------------- .../values-nb/google-playstore-strings.xml | 18 --- app/src/main/res/values-nb/strings.xml | 136 ----------------- .../values-nds/google-playstore-strings.xml | 18 --- app/src/main/res/values-nds/strings.xml | 136 ----------------- .../values-ne/google-playstore-strings.xml | 18 --- app/src/main/res/values-ne/strings.xml | 136 ----------------- .../values-ng/google-playstore-strings.xml | 18 --- app/src/main/res/values-ng/strings.xml | 136 ----------------- .../values-nl/google-playstore-strings.xml | 18 --- app/src/main/res/values-nl/strings.xml | 136 ----------------- .../values-nn/google-playstore-strings.xml | 18 --- app/src/main/res/values-nn/strings.xml | 136 ----------------- .../values-no/google-playstore-strings.xml | 18 --- app/src/main/res/values-no/strings.xml | 136 ----------------- .../values-nr/google-playstore-strings.xml | 18 --- app/src/main/res/values-nr/strings.xml | 136 ----------------- .../values-nso/google-playstore-strings.xml | 18 --- app/src/main/res/values-nso/strings.xml | 136 ----------------- .../values-ny/google-playstore-strings.xml | 18 --- app/src/main/res/values-ny/strings.xml | 136 ----------------- .../values-oc/google-playstore-strings.xml | 18 --- app/src/main/res/values-oc/strings.xml | 136 ----------------- .../values-oj/google-playstore-strings.xml | 18 --- app/src/main/res/values-oj/strings.xml | 136 ----------------- .../values-om/google-playstore-strings.xml | 18 --- app/src/main/res/values-om/strings.xml | 136 ----------------- .../values-or/google-playstore-strings.xml | 18 --- app/src/main/res/values-or/strings.xml | 136 ----------------- .../values-os/google-playstore-strings.xml | 18 --- app/src/main/res/values-os/strings.xml | 136 ----------------- .../values-pa/google-playstore-strings.xml | 18 --- app/src/main/res/values-pa/strings.xml | 136 ----------------- .../values-pam/google-playstore-strings.xml | 18 --- app/src/main/res/values-pam/strings.xml | 136 ----------------- .../values-pap/google-playstore-strings.xml | 18 --- app/src/main/res/values-pap/strings.xml | 136 ----------------- .../values-pcm/google-playstore-strings.xml | 18 --- app/src/main/res/values-pcm/strings.xml | 136 ----------------- .../values-pi/google-playstore-strings.xml | 18 --- app/src/main/res/values-pi/strings.xml | 136 ----------------- .../values-pl/google-playstore-strings.xml | 18 --- app/src/main/res/values-pl/strings.xml | 136 ----------------- .../values-ps/google-playstore-strings.xml | 18 --- app/src/main/res/values-ps/strings.xml | 136 ----------------- .../values-pt/google-playstore-strings.xml | 18 --- app/src/main/res/values-pt/strings.xml | 136 ----------------- .../values-qu/google-playstore-strings.xml | 18 --- app/src/main/res/values-qu/strings.xml | 136 ----------------- .../values-quc/google-playstore-strings.xml | 18 --- app/src/main/res/values-quc/strings.xml | 136 ----------------- .../values-qya/google-playstore-strings.xml | 18 --- app/src/main/res/values-qya/strings.xml | 136 ----------------- .../values-rm/google-playstore-strings.xml | 18 --- app/src/main/res/values-rm/strings.xml | 136 ----------------- .../values-rn/google-playstore-strings.xml | 18 --- app/src/main/res/values-rn/strings.xml | 136 ----------------- .../values-ro/google-playstore-strings.xml | 18 --- app/src/main/res/values-ro/strings.xml | 136 ----------------- .../values-ru/google-playstore-strings.xml | 18 --- app/src/main/res/values-ru/strings.xml | 136 ----------------- .../values-rw/google-playstore-strings.xml | 18 --- app/src/main/res/values-rw/strings.xml | 136 ----------------- .../values-ry/google-playstore-strings.xml | 18 --- app/src/main/res/values-ry/strings.xml | 136 ----------------- .../values-sa/google-playstore-strings.xml | 18 --- app/src/main/res/values-sa/strings.xml | 136 ----------------- .../values-sat/google-playstore-strings.xml | 18 --- app/src/main/res/values-sat/strings.xml | 136 ----------------- .../values-sc/google-playstore-strings.xml | 18 --- app/src/main/res/values-sc/strings.xml | 136 ----------------- .../values-sco/google-playstore-strings.xml | 18 --- app/src/main/res/values-sco/strings.xml | 136 ----------------- .../values-sd/google-playstore-strings.xml | 18 --- app/src/main/res/values-sd/strings.xml | 136 ----------------- .../values-se/google-playstore-strings.xml | 18 --- app/src/main/res/values-se/strings.xml | 136 ----------------- .../values-sg/google-playstore-strings.xml | 18 --- app/src/main/res/values-sg/strings.xml | 136 ----------------- .../values-sh/google-playstore-strings.xml | 18 --- app/src/main/res/values-sh/strings.xml | 136 ----------------- .../values-si/google-playstore-strings.xml | 18 --- app/src/main/res/values-si/strings.xml | 136 ----------------- .../values-sk/google-playstore-strings.xml | 18 --- app/src/main/res/values-sk/strings.xml | 136 ----------------- .../values-sl/google-playstore-strings.xml | 18 --- app/src/main/res/values-sl/strings.xml | 136 ----------------- .../values-sma/google-playstore-strings.xml | 18 --- app/src/main/res/values-sma/strings.xml | 136 ----------------- .../values-sn/google-playstore-strings.xml | 18 --- app/src/main/res/values-sn/strings.xml | 136 ----------------- .../values-so/google-playstore-strings.xml | 18 --- app/src/main/res/values-so/strings.xml | 136 ----------------- .../values-son/google-playstore-strings.xml | 18 --- app/src/main/res/values-son/strings.xml | 136 ----------------- .../values-sq/google-playstore-strings.xml | 18 --- app/src/main/res/values-sq/strings.xml | 136 ----------------- .../values-sr/google-playstore-strings.xml | 18 --- app/src/main/res/values-sr/strings.xml | 136 ----------------- .../values-ss/google-playstore-strings.xml | 18 --- app/src/main/res/values-ss/strings.xml | 136 ----------------- .../values-st/google-playstore-strings.xml | 18 --- app/src/main/res/values-st/strings.xml | 136 ----------------- .../values-su/google-playstore-strings.xml | 18 --- app/src/main/res/values-su/strings.xml | 136 ----------------- .../values-sv/google-playstore-strings.xml | 18 --- app/src/main/res/values-sv/strings.xml | 136 ----------------- .../values-sw/google-playstore-strings.xml | 18 --- app/src/main/res/values-sw/strings.xml | 136 ----------------- .../values-syc/google-playstore-strings.xml | 18 --- app/src/main/res/values-syc/strings.xml | 136 ----------------- .../values-ta/google-playstore-strings.xml | 18 --- app/src/main/res/values-ta/strings.xml | 136 ----------------- .../values-tay/google-playstore-strings.xml | 18 --- app/src/main/res/values-tay/strings.xml | 136 ----------------- .../values-te/google-playstore-strings.xml | 18 --- app/src/main/res/values-te/strings.xml | 136 ----------------- .../values-tg/google-playstore-strings.xml | 18 --- app/src/main/res/values-tg/strings.xml | 136 ----------------- .../values-th/google-playstore-strings.xml | 18 --- app/src/main/res/values-th/strings.xml | 136 ----------------- .../values-ti/google-playstore-strings.xml | 18 --- app/src/main/res/values-ti/strings.xml | 136 ----------------- .../values-tk/google-playstore-strings.xml | 18 --- app/src/main/res/values-tk/strings.xml | 136 ----------------- .../values-tl/google-playstore-strings.xml | 18 --- app/src/main/res/values-tl/strings.xml | 136 ----------------- .../values-tn/google-playstore-strings.xml | 18 --- app/src/main/res/values-tn/strings.xml | 136 ----------------- .../values-tr/google-playstore-strings.xml | 18 --- app/src/main/res/values-tr/strings.xml | 137 ------------------ .../values-ts/google-playstore-strings.xml | 18 --- app/src/main/res/values-ts/strings.xml | 136 ----------------- .../values-tt/google-playstore-strings.xml | 18 --- app/src/main/res/values-tt/strings.xml | 136 ----------------- .../values-tw/google-playstore-strings.xml | 18 --- app/src/main/res/values-tw/strings.xml | 136 ----------------- .../values-ty/google-playstore-strings.xml | 18 --- app/src/main/res/values-ty/strings.xml | 136 ----------------- .../values-tzl/google-playstore-strings.xml | 18 --- app/src/main/res/values-tzl/strings.xml | 136 ----------------- .../values-ug/google-playstore-strings.xml | 18 --- app/src/main/res/values-ug/strings.xml | 136 ----------------- .../values-uk/google-playstore-strings.xml | 18 --- app/src/main/res/values-uk/strings.xml | 136 ----------------- .../values-ur/google-playstore-strings.xml | 18 --- app/src/main/res/values-ur/strings.xml | 136 ----------------- .../values-uz/google-playstore-strings.xml | 18 --- app/src/main/res/values-uz/strings.xml | 136 ----------------- .../values-val/google-playstore-strings.xml | 18 --- app/src/main/res/values-val/strings.xml | 136 ----------------- .../values-ve/google-playstore-strings.xml | 18 --- app/src/main/res/values-ve/strings.xml | 136 ----------------- .../values-vec/google-playstore-strings.xml | 18 --- app/src/main/res/values-vec/strings.xml | 136 ----------------- .../values-vi/google-playstore-strings.xml | 18 --- app/src/main/res/values-vi/strings.xml | 136 ----------------- .../values-vls/google-playstore-strings.xml | 18 --- app/src/main/res/values-vls/strings.xml | 136 ----------------- .../values-wa/google-playstore-strings.xml | 18 --- app/src/main/res/values-wa/strings.xml | 136 ----------------- .../values-wo/google-playstore-strings.xml | 18 --- app/src/main/res/values-wo/strings.xml | 136 ----------------- .../values-xh/google-playstore-strings.xml | 18 --- app/src/main/res/values-xh/strings.xml | 136 ----------------- .../values-yi/google-playstore-strings.xml | 18 --- app/src/main/res/values-yi/strings.xml | 136 ----------------- .../values-yo/google-playstore-strings.xml | 18 --- app/src/main/res/values-yo/strings.xml | 136 ----------------- .../values-zea/google-playstore-strings.xml | 18 --- app/src/main/res/values-zea/strings.xml | 136 ----------------- .../values-zh/google-playstore-strings.xml | 18 --- app/src/main/res/values-zh/strings.xml | 137 ------------------ .../values-zu/google-playstore-strings.xml | 18 --- app/src/main/res/values-zu/strings.xml | 136 ----------------- 448 files changed, 6 insertions(+), 34346 deletions(-) delete mode 100644 app/src/main/res/values-aa/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-aa/strings.xml delete mode 100644 app/src/main/res/values-ach/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-ach/strings.xml delete mode 100644 app/src/main/res/values-ae/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-ae/strings.xml delete mode 100644 app/src/main/res/values-af/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-af/strings.xml delete mode 100644 app/src/main/res/values-ak/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-ak/strings.xml delete mode 100644 app/src/main/res/values-am/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-am/strings.xml delete mode 100644 app/src/main/res/values-an/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-an/strings.xml delete mode 100644 app/src/main/res/values-ar/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-ar/strings.xml delete mode 100644 app/src/main/res/values-arn/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-arn/strings.xml delete mode 100644 app/src/main/res/values-as/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-as/strings.xml delete mode 100644 app/src/main/res/values-ast/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-ast/strings.xml delete mode 100644 app/src/main/res/values-av/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-av/strings.xml delete mode 100644 app/src/main/res/values-ay/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-ay/strings.xml delete mode 100644 app/src/main/res/values-az/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-az/strings.xml delete mode 100644 app/src/main/res/values-ba/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-ba/strings.xml delete mode 100644 app/src/main/res/values-bal/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-bal/strings.xml delete mode 100644 app/src/main/res/values-ban/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-ban/strings.xml delete mode 100644 app/src/main/res/values-be/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-be/strings.xml delete mode 100644 app/src/main/res/values-ber/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-ber/strings.xml delete mode 100644 app/src/main/res/values-bfo/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-bfo/strings.xml delete mode 100644 app/src/main/res/values-bg/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-bg/strings.xml delete mode 100644 app/src/main/res/values-bh/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-bh/strings.xml delete mode 100644 app/src/main/res/values-bi/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-bi/strings.xml delete mode 100644 app/src/main/res/values-bm/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-bm/strings.xml delete mode 100644 app/src/main/res/values-bn/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-bn/strings.xml delete mode 100644 app/src/main/res/values-bo/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-bo/strings.xml delete mode 100644 app/src/main/res/values-br/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-br/strings.xml delete mode 100644 app/src/main/res/values-bs/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-bs/strings.xml delete mode 100644 app/src/main/res/values-ca/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-ca/strings.xml delete mode 100644 app/src/main/res/values-ce/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-ce/strings.xml delete mode 100644 app/src/main/res/values-ceb/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-ceb/strings.xml delete mode 100644 app/src/main/res/values-ch/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-ch/strings.xml delete mode 100644 app/src/main/res/values-chr/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-chr/strings.xml delete mode 100644 app/src/main/res/values-ckb/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-ckb/strings.xml delete mode 100644 app/src/main/res/values-co/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-co/strings.xml delete mode 100644 app/src/main/res/values-cr/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-cr/strings.xml delete mode 100644 app/src/main/res/values-crs/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-crs/strings.xml delete mode 100644 app/src/main/res/values-cs/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-cs/strings.xml delete mode 100644 app/src/main/res/values-csb/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-csb/strings.xml delete mode 100644 app/src/main/res/values-cv/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-cv/strings.xml delete mode 100644 app/src/main/res/values-cy/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-cy/strings.xml delete mode 100644 app/src/main/res/values-da/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-da/strings.xml delete mode 100644 app/src/main/res/values-de/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-de/strings.xml delete mode 100644 app/src/main/res/values-dsb/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-dsb/strings.xml delete mode 100644 app/src/main/res/values-dv/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-dv/strings.xml delete mode 100644 app/src/main/res/values-dz/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-dz/strings.xml delete mode 100644 app/src/main/res/values-ee/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-ee/strings.xml delete mode 100644 app/src/main/res/values-el/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-el/strings.xml delete mode 100644 app/src/main/res/values-en/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-en/strings.xml delete mode 100644 app/src/main/res/values-eo/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-eo/strings.xml delete mode 100644 app/src/main/res/values-es/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-es/strings.xml delete mode 100644 app/src/main/res/values-et/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-et/strings.xml delete mode 100644 app/src/main/res/values-eu/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-eu/strings.xml delete mode 100644 app/src/main/res/values-fa/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-fa/strings.xml delete mode 100644 app/src/main/res/values-ff/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-ff/strings.xml delete mode 100644 app/src/main/res/values-fi/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-fi/strings.xml delete mode 100644 app/src/main/res/values-fil/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-fil/strings.xml delete mode 100644 app/src/main/res/values-fj/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-fj/strings.xml delete mode 100644 app/src/main/res/values-fo/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-fo/strings.xml delete mode 100644 app/src/main/res/values-fr/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-fr/strings.xml delete mode 100644 app/src/main/res/values-fra/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-fra/strings.xml delete mode 100644 app/src/main/res/values-frp/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-frp/strings.xml delete mode 100644 app/src/main/res/values-fur/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-fur/strings.xml delete mode 100644 app/src/main/res/values-fy/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-fy/strings.xml delete mode 100644 app/src/main/res/values-ga/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-ga/strings.xml delete mode 100644 app/src/main/res/values-gaa/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-gaa/strings.xml delete mode 100644 app/src/main/res/values-gd/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-gd/strings.xml delete mode 100644 app/src/main/res/values-gl/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-gl/strings.xml delete mode 100644 app/src/main/res/values-gn/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-gn/strings.xml delete mode 100644 app/src/main/res/values-gu/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-gu/strings.xml delete mode 100644 app/src/main/res/values-gv/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-gv/strings.xml delete mode 100644 app/src/main/res/values-ha/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-ha/strings.xml delete mode 100644 app/src/main/res/values-haw/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-haw/strings.xml delete mode 100644 app/src/main/res/values-he/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-he/strings.xml delete mode 100644 app/src/main/res/values-hi/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-hi/strings.xml delete mode 100644 app/src/main/res/values-hil/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-hil/strings.xml delete mode 100644 app/src/main/res/values-hmn/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-hmn/strings.xml delete mode 100644 app/src/main/res/values-ho/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-ho/strings.xml delete mode 100644 app/src/main/res/values-hr/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-hr/strings.xml delete mode 100644 app/src/main/res/values-hsb/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-hsb/strings.xml delete mode 100644 app/src/main/res/values-ht/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-ht/strings.xml delete mode 100644 app/src/main/res/values-hu/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-hu/strings.xml delete mode 100644 app/src/main/res/values-hy/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-hy/strings.xml delete mode 100644 app/src/main/res/values-hz/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-hz/strings.xml delete mode 100644 app/src/main/res/values-id/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-id/strings.xml delete mode 100644 app/src/main/res/values-ig/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-ig/strings.xml delete mode 100644 app/src/main/res/values-ii/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-ii/strings.xml delete mode 100644 app/src/main/res/values-ilo/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-ilo/strings.xml delete mode 100644 app/src/main/res/values-is/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-is/strings.xml delete mode 100644 app/src/main/res/values-it/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-it/strings.xml delete mode 100644 app/src/main/res/values-iu/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-iu/strings.xml delete mode 100644 app/src/main/res/values-ja/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-ja/strings.xml delete mode 100644 app/src/main/res/values-jbo/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-jbo/strings.xml delete mode 100644 app/src/main/res/values-jv/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-jv/strings.xml delete mode 100644 app/src/main/res/values-ka/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-ka/strings.xml delete mode 100644 app/src/main/res/values-kab/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-kab/strings.xml delete mode 100644 app/src/main/res/values-kdh/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-kdh/strings.xml delete mode 100644 app/src/main/res/values-kg/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-kg/strings.xml delete mode 100644 app/src/main/res/values-kj/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-kj/strings.xml delete mode 100644 app/src/main/res/values-kk/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-kk/strings.xml delete mode 100644 app/src/main/res/values-kl/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-kl/strings.xml delete mode 100644 app/src/main/res/values-km/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-km/strings.xml delete mode 100644 app/src/main/res/values-kmr/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-kmr/strings.xml delete mode 100644 app/src/main/res/values-kn/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-kn/strings.xml delete mode 100644 app/src/main/res/values-ko/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-ko/strings.xml delete mode 100644 app/src/main/res/values-kok/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-kok/strings.xml delete mode 100644 app/src/main/res/values-ks/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-ks/strings.xml delete mode 100644 app/src/main/res/values-ku/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-ku/strings.xml delete mode 100644 app/src/main/res/values-kv/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-kv/strings.xml delete mode 100644 app/src/main/res/values-kw/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-kw/strings.xml delete mode 100644 app/src/main/res/values-ky/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-ky/strings.xml delete mode 100644 app/src/main/res/values-la/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-la/strings.xml delete mode 100644 app/src/main/res/values-lb/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-lb/strings.xml delete mode 100644 app/src/main/res/values-lg/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-lg/strings.xml delete mode 100644 app/src/main/res/values-li/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-li/strings.xml delete mode 100644 app/src/main/res/values-lij/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-lij/strings.xml delete mode 100644 app/src/main/res/values-ln/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-ln/strings.xml delete mode 100644 app/src/main/res/values-lo/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-lo/strings.xml delete mode 100644 app/src/main/res/values-lt/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-lt/strings.xml delete mode 100644 app/src/main/res/values-luy/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-luy/strings.xml delete mode 100644 app/src/main/res/values-lv/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-lv/strings.xml delete mode 100644 app/src/main/res/values-mai/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-mai/strings.xml delete mode 100644 app/src/main/res/values-me/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-me/strings.xml delete mode 100644 app/src/main/res/values-mg/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-mg/strings.xml delete mode 100644 app/src/main/res/values-mh/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-mh/strings.xml delete mode 100644 app/src/main/res/values-mi/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-mi/strings.xml delete mode 100644 app/src/main/res/values-mk/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-mk/strings.xml delete mode 100644 app/src/main/res/values-ml/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-ml/strings.xml delete mode 100644 app/src/main/res/values-mn/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-mn/strings.xml delete mode 100644 app/src/main/res/values-moh/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-moh/strings.xml delete mode 100644 app/src/main/res/values-mos/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-mos/strings.xml delete mode 100644 app/src/main/res/values-mr/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-mr/strings.xml delete mode 100644 app/src/main/res/values-ms/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-ms/strings.xml delete mode 100644 app/src/main/res/values-mt/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-mt/strings.xml delete mode 100644 app/src/main/res/values-my/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-my/strings.xml delete mode 100644 app/src/main/res/values-na/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-na/strings.xml delete mode 100644 app/src/main/res/values-nb/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-nb/strings.xml delete mode 100644 app/src/main/res/values-nds/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-nds/strings.xml delete mode 100644 app/src/main/res/values-ne/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-ne/strings.xml delete mode 100644 app/src/main/res/values-ng/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-ng/strings.xml delete mode 100644 app/src/main/res/values-nl/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-nl/strings.xml delete mode 100644 app/src/main/res/values-nn/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-nn/strings.xml delete mode 100644 app/src/main/res/values-no/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-no/strings.xml delete mode 100644 app/src/main/res/values-nr/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-nr/strings.xml delete mode 100644 app/src/main/res/values-nso/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-nso/strings.xml delete mode 100644 app/src/main/res/values-ny/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-ny/strings.xml delete mode 100644 app/src/main/res/values-oc/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-oc/strings.xml delete mode 100644 app/src/main/res/values-oj/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-oj/strings.xml delete mode 100644 app/src/main/res/values-om/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-om/strings.xml delete mode 100644 app/src/main/res/values-or/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-or/strings.xml delete mode 100644 app/src/main/res/values-os/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-os/strings.xml delete mode 100644 app/src/main/res/values-pa/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-pa/strings.xml delete mode 100644 app/src/main/res/values-pam/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-pam/strings.xml delete mode 100644 app/src/main/res/values-pap/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-pap/strings.xml delete mode 100644 app/src/main/res/values-pcm/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-pcm/strings.xml delete mode 100644 app/src/main/res/values-pi/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-pi/strings.xml delete mode 100644 app/src/main/res/values-pl/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-pl/strings.xml delete mode 100644 app/src/main/res/values-ps/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-ps/strings.xml delete mode 100644 app/src/main/res/values-pt/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-pt/strings.xml delete mode 100644 app/src/main/res/values-qu/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-qu/strings.xml delete mode 100644 app/src/main/res/values-quc/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-quc/strings.xml delete mode 100644 app/src/main/res/values-qya/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-qya/strings.xml delete mode 100644 app/src/main/res/values-rm/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-rm/strings.xml delete mode 100644 app/src/main/res/values-rn/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-rn/strings.xml delete mode 100644 app/src/main/res/values-ro/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-ro/strings.xml delete mode 100644 app/src/main/res/values-ru/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-ru/strings.xml delete mode 100644 app/src/main/res/values-rw/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-rw/strings.xml delete mode 100644 app/src/main/res/values-ry/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-ry/strings.xml delete mode 100644 app/src/main/res/values-sa/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-sa/strings.xml delete mode 100644 app/src/main/res/values-sat/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-sat/strings.xml delete mode 100644 app/src/main/res/values-sc/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-sc/strings.xml delete mode 100644 app/src/main/res/values-sco/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-sco/strings.xml delete mode 100644 app/src/main/res/values-sd/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-sd/strings.xml delete mode 100644 app/src/main/res/values-se/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-se/strings.xml delete mode 100644 app/src/main/res/values-sg/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-sg/strings.xml delete mode 100644 app/src/main/res/values-sh/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-sh/strings.xml delete mode 100644 app/src/main/res/values-si/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-si/strings.xml delete mode 100644 app/src/main/res/values-sk/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-sk/strings.xml delete mode 100644 app/src/main/res/values-sl/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-sl/strings.xml delete mode 100644 app/src/main/res/values-sma/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-sma/strings.xml delete mode 100644 app/src/main/res/values-sn/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-sn/strings.xml delete mode 100644 app/src/main/res/values-so/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-so/strings.xml delete mode 100644 app/src/main/res/values-son/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-son/strings.xml delete mode 100644 app/src/main/res/values-sq/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-sq/strings.xml delete mode 100644 app/src/main/res/values-sr/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-sr/strings.xml delete mode 100644 app/src/main/res/values-ss/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-ss/strings.xml delete mode 100644 app/src/main/res/values-st/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-st/strings.xml delete mode 100644 app/src/main/res/values-su/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-su/strings.xml delete mode 100644 app/src/main/res/values-sv/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-sv/strings.xml delete mode 100644 app/src/main/res/values-sw/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-sw/strings.xml delete mode 100644 app/src/main/res/values-syc/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-syc/strings.xml delete mode 100644 app/src/main/res/values-ta/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-ta/strings.xml delete mode 100644 app/src/main/res/values-tay/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-tay/strings.xml delete mode 100644 app/src/main/res/values-te/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-te/strings.xml delete mode 100644 app/src/main/res/values-tg/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-tg/strings.xml delete mode 100644 app/src/main/res/values-th/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-th/strings.xml delete mode 100644 app/src/main/res/values-ti/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-ti/strings.xml delete mode 100644 app/src/main/res/values-tk/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-tk/strings.xml delete mode 100644 app/src/main/res/values-tl/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-tl/strings.xml delete mode 100644 app/src/main/res/values-tn/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-tn/strings.xml delete mode 100644 app/src/main/res/values-tr/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-tr/strings.xml delete mode 100644 app/src/main/res/values-ts/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-ts/strings.xml delete mode 100644 app/src/main/res/values-tt/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-tt/strings.xml delete mode 100644 app/src/main/res/values-tw/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-tw/strings.xml delete mode 100644 app/src/main/res/values-ty/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-ty/strings.xml delete mode 100644 app/src/main/res/values-tzl/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-tzl/strings.xml delete mode 100644 app/src/main/res/values-ug/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-ug/strings.xml delete mode 100644 app/src/main/res/values-uk/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-uk/strings.xml delete mode 100644 app/src/main/res/values-ur/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-ur/strings.xml delete mode 100644 app/src/main/res/values-uz/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-uz/strings.xml delete mode 100644 app/src/main/res/values-val/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-val/strings.xml delete mode 100644 app/src/main/res/values-ve/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-ve/strings.xml delete mode 100644 app/src/main/res/values-vec/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-vec/strings.xml delete mode 100644 app/src/main/res/values-vi/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-vi/strings.xml delete mode 100644 app/src/main/res/values-vls/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-vls/strings.xml delete mode 100644 app/src/main/res/values-wa/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-wa/strings.xml delete mode 100644 app/src/main/res/values-wo/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-wo/strings.xml delete mode 100644 app/src/main/res/values-xh/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-xh/strings.xml delete mode 100644 app/src/main/res/values-yi/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-yi/strings.xml delete mode 100644 app/src/main/res/values-yo/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-yo/strings.xml delete mode 100644 app/src/main/res/values-zea/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-zea/strings.xml delete mode 100644 app/src/main/res/values-zh/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-zh/strings.xml delete mode 100644 app/src/main/res/values-zu/google-playstore-strings.xml delete mode 100644 app/src/main/res/values-zu/strings.xml diff --git a/app/src/main/java/org/glucosio/android/activity/GittyActivity.java b/app/src/main/java/org/glucosio/android/activity/GittyActivity.java index 73630d3f..c5a2b7c1 100644 --- a/app/src/main/java/org/glucosio/android/activity/GittyActivity.java +++ b/app/src/main/java/org/glucosio/android/activity/GittyActivity.java @@ -1,6 +1,7 @@ package org.glucosio.android.activity; import android.content.Context; +import android.content.Intent; import android.os.Bundle; import android.util.Base64; @@ -46,4 +47,9 @@ public void init(Bundle savedInstanceState) { // If false, Gitty will redirect non registred users to github.com/join enableGuestGitHubLogin(true); } + + @Override + public void onBackPressed() { + finish(); + } } diff --git a/app/src/main/java/org/glucosio/android/activity/MainActivity.java b/app/src/main/java/org/glucosio/android/activity/MainActivity.java index ce29dfab..acb0983d 100644 --- a/app/src/main/java/org/glucosio/android/activity/MainActivity.java +++ b/app/src/main/java/org/glucosio/android/activity/MainActivity.java @@ -123,7 +123,6 @@ public void startHelloActivity() { public void startGittyReporter() { Intent intent = new Intent(this, GittyActivity.class); startActivity(intent); - finish(); } public void openPreferences() { diff --git a/app/src/main/res/values-aa/google-playstore-strings.xml b/app/src/main/res/values-aa/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-aa/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-aa/strings.xml b/app/src/main/res/values-aa/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-aa/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-ach/google-playstore-strings.xml b/app/src/main/res/values-ach/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-ach/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-ach/strings.xml b/app/src/main/res/values-ach/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-ach/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-ae/google-playstore-strings.xml b/app/src/main/res/values-ae/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-ae/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-ae/strings.xml b/app/src/main/res/values-ae/strings.xml deleted file mode 100644 index bd7e2bd1..00000000 --- a/app/src/main/res/values-ae/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - تنظیمات - ارسال بازخورد - بررسی - تاریخچه - نکات - سلام. - سلام. - شرایط استفاده. - من شرایط استفاده را مطالعه کردم و آنرا پذیرفتم - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - ما فقط به چند چیز کوچک قبل از شروع نیاز داریم. - کشور - سن - لطفا سن درست را وارد کنید. - جنسیت - مرد - زن - دیگر - نوع دیابت - نوع ۱ - نوع۲ - واحد مورد نظر - به اشتراک گذاشتن داده ها به صورت ناشناس جهت تحقیقات. - شما می توانید این را بعدا در تنظیمات تغییر دهید. - بعدی - شروع به کار - No info available yet. \n Add your first reading here. - وارد کردن سطح گلوکز(قند) خون - غلظت - تاریخ - زمان - اندازه گیری شده - قبل صبحانه - بعد صبحانه - قبل از ناهار - بعد از ناهار - قبل از شام - بعد از شام - General - بررسی مجدد - شب - دیگر - لغو - اضافه - لطفا یک مقدار معتبر وارد کنید. - لطفا تمامی بخش ها را پر کنید. - حذف - ویرایش - 1 reading deleted - برگردان - اخرین بررسی: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - درباره - نسخه - شرایط استفاده - نوع - Weight - دسته سفارشی شده برای اندازه گیری - - خوردن غذا های تازه و فراوری نشده برای کمک به کاهش مصرف کربوهیدارت و قند و شکر. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - دستیار - بروزرسانی همین حالا - متوجه شدم - ارسال بازخورد - ADD READING - بروزرسانی وزن - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - ارسال بازخورد - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-af/google-playstore-strings.xml b/app/src/main/res/values-af/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-af/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-af/strings.xml b/app/src/main/res/values-af/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-af/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-ak/google-playstore-strings.xml b/app/src/main/res/values-ak/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-ak/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-ak/strings.xml b/app/src/main/res/values-ak/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-ak/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-am/google-playstore-strings.xml b/app/src/main/res/values-am/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-am/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-am/strings.xml b/app/src/main/res/values-am/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-am/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-an/google-playstore-strings.xml b/app/src/main/res/values-an/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-an/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-an/strings.xml b/app/src/main/res/values-an/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-an/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-ar/google-playstore-strings.xml b/app/src/main/res/values-ar/google-playstore-strings.xml deleted file mode 100644 index 0fe6fb0e..00000000 --- a/app/src/main/res/values-ar/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - جلوكسيو - Glucosio is a user centered free and open source app for people with diabetes - باستخدام جلوكسيو، يمكنك إدخال وتتبع مستويات السكر في الدم، ودعم أبحاث مرض السكري بالمساهمة باتجاهات الجلوكوز الديمغرافية بطريقة آمنه، واحصل على نصائح مفيدة من خلال مساعدنا. جلوكسيو تحترم الخصوصية الخاصة بك، وأنت دائماً المسيطر على البيانات الخاصة بك. - * المستخدم محورها. جلوكسيو تطبيقات تم إنشاؤها باستخدام ميزات وتصاميم تتطابق مع احتياجات المستخدم ونحن نتقبل ارائكم باستمرار لتحسين المنتج. - * المصدر المفتوح. تطبيقات جلوكسيو تعطيك الحرية في استخدام ونسخ، ودراسة، وتغيير التعليمات البرمجية من أي من تطبيقات لدينا وحتى المساهمة في مشروع جلوكسيو. - * إدارة البيانات. جلوكسيو يسمح لك بتتبع وإدارة بياناتك الخاصة بداء السكري من واجهة حديثة بنيت بناء على توصيات من مرضى السكري. - * دعم البحوث. تطبيقات جلوكسيو تعطي للمستخدمين خيار عدم مشاركة معلوماتهم الخاصة بمستويات السكري ومعلومات ديموغرافية مع الباحثين. - يرجى ارسال أي الأخطاء أو المشاكل أو الطلبات لـ: - https://github.com/glucosio/android - تفاصيل أكثر: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-ar/strings.xml b/app/src/main/res/values-ar/strings.xml deleted file mode 100644 index f09c4549..00000000 --- a/app/src/main/res/values-ar/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - جلوكوسيو - إعدادات - ارسل رأيك - نظره عامه - السّجل - نصائح - مرحباً. - مرحباً. - شروط الاستخدام - لقد قرأت وقبلت \"شروط الاستخدام\" - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - نحن بحاجة فقط لبضعة أشياء سريعة قبل البدء. - الدولة - العمر - الرجاء إدخال عمر صحيح. - الجنس - ذكر - أنثى - غير ذلك - نوع داء السكر - نوع 1 - نوع 2 - الوحدة المفضلة - شارك البيانات بطريقة مجهولة للبحوث. - يمكنك تغيير هذه الإعدادات في وقت لاحق. - التالي - لنبدأ - No info available yet. \n Add your first reading here. - أضف مستوى الجلوكوز في الدم - التركيز - التاريخ - الوقت - القياس - قبل الإفطار - وبعد الإفطار - قبل الغداء - بعد الغداء - قبل العشاء - بعد العشاء - عامّ - إعادة فحص - ليل - غير ذلك - ألغِ - أضِف - الرجاء إدخال قيمة صحيحة. - الرجاء تعبئة كافة الحقول. - احذف - عدِّل - حُذِفت قراءة واحدة - التراجع عن - أخر فحص: - الاتجاه الشهر الماضي: - في النطاق وصحي - الشهر - يوم - اسبوع - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - عن - الإصدار - شروط الاستخدام - نوع - الوزن - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - مساعدة - حدِّث الآن - OK, GOT IT - أرسل الملاحظات - أضف القراءة - حدِّث وزنك - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - إرسال ملاحظات - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - إضافة قراءة - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - قيمة الحد الأدنى - قيمة الحد الأقصى - جرِّبها الآن - diff --git a/app/src/main/res/values-arn/google-playstore-strings.xml b/app/src/main/res/values-arn/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-arn/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-arn/strings.xml b/app/src/main/res/values-arn/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-arn/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-as/google-playstore-strings.xml b/app/src/main/res/values-as/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-as/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-as/strings.xml b/app/src/main/res/values-as/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-as/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-ast/google-playstore-strings.xml b/app/src/main/res/values-ast/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-ast/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-ast/strings.xml b/app/src/main/res/values-ast/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-ast/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-av/google-playstore-strings.xml b/app/src/main/res/values-av/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-av/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-av/strings.xml b/app/src/main/res/values-av/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-av/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-ay/google-playstore-strings.xml b/app/src/main/res/values-ay/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-ay/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-ay/strings.xml b/app/src/main/res/values-ay/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-ay/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-az/google-playstore-strings.xml b/app/src/main/res/values-az/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-az/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-az/strings.xml b/app/src/main/res/values-az/strings.xml deleted file mode 100644 index ad61f659..00000000 --- a/app/src/main/res/values-az/strings.xml +++ /dev/null @@ -1,137 +0,0 @@ - - - - Glucosio - Nizamlamalar - Əks əlaqə - Ön baxış - Tarix - İp ucları - Salam. - Salam. - İstifadə şərtləri. - İstifadə şərtlərini oxudum və qəbul edirəm - Glucosio Web saytı, qrfika, rəsm və digər materialları (\"məzmunlar\") şeyləri sadəcə -məlumat məqsədlidir. Həkiminizin dedikləri ilə bərabər, sizə köməkçi olmaq üçün hazırlanan professional bir proqramdır. Uyğun sağlamlıq yoxlanması üçün həmişə həkiminizlə məsləhətləşin. Proqram professional bir sağlamlıq proqramıdır, ancaq əsla və əsla həkimin müayinəsini laqeydlik etməyin və proqramın dediklərinə görə həkimə getməkdən imtina etməyin. Glucosio Web saytı, Blog, Viki və digər əlçatan məzmunlar (\"Web saytı\") sadəcə yuxarıda açıqlanan məqsəd üçün istifadə olunmalıdırr. \n güven Glucosio, Glucosio komanda üzvləri, könüllüllər və digərləri tərəfindən verilən hər hansı məlumatata etibar edin ya da bütün risk sizin üzərinizdədir. Sayt və məzmunu \"olduğu kimi\" formasında təqdim olunur. - Başlamamışdan əvvəl bir neçə şey etməliyik. - Ölkə - Yaş - Lütfən doğru yaşınızı daxil edin. - Cinsiyyət - Kişi - Qadın - Digər - Diyabet tipi - Tip 1 - Tip 2 - Seçilən vahid - Araştırma üçün anonim məlumat göndər. - Bu seçimləri sonra dəyişə bilərsiniz. - Növbəti - BAŞLA - Hələki məlumat yoxdur \n Bura əlavə edə bilərsiniz. - Qan qlikoza dərəcəsi əlavə et - Qatılıq - Tarix - Vaxt - Ölçülən - Səhər, yeməkdən əvvəl - Səhər, yeməkdən sonra - Nahardan əvvəl - Nahardan sonra - Şam yeməyindən əvvəl - Şam yeməyindən sonra - Ümumi - Yenidən yoxla - Gecə - Digər - LƏĞV ET - ƏLAVƏ ET - Etibarlı dəyər daxil edin. - Boş yerləri doldurun. - Sil - Redaktə - 1 oxunma silindi - GERİ - Son yoxlama: - Son bir aydakı tendesiya: - intervalında və sağlam - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - Haqqında - Versiya - İstifadə şərtləri - Tip - Weight - Şəxsi ölçü kateqoriyası - - Karbohidrat və şəkər qəbulunu azaltmaq üçün təzə və işlənməmiş qidalardan istifadə edin. - Paketlənmiş məhsulların karbohidrat və şəkər dərəcəsini öyənməkçün etiketləri oxuyun. - Başqa yerdə yeyərkən, əlavə heç bir yağ və ya kərəyağı olmadan balıq, qızartma ət istəyin. - Başqa yerdə yeyərkən, aşağı natriumlu yeməklər olub olmadığını soruşun. - Başqa yerdə yeyərkən, evdə yediyiniz qədər sifariş edin, qalanını isə paketləməyi istəyin. - Başqa yerdə yeyərkən, az kalorili yemək seçin, salat sosu kimi, menyuda olmasa belə istəyin. - Başqa yerdə yeyərkən, dəyişməkdən çəkinməyin. Kartof qızartması əvəzinə tərəvəz istəyin, xiyar, yaşıl lobya və ya brokoli. - Başqa yerdə yeyərkən, qızartmalardan uzaq durun. - Başqa yerdə yeyərkən, sos istəyəndə salatım \"kənarında\" qoymalarını istəyin - Şəkərsiz demək, tamamən şəkər yoxdu demək deyil. Hər porsiyada 0.5 (q) şəkər var deməkdir. Həddən çox \"şəkərsiz\" məhsul istifadə etməyin. - Çəkinin normallaşması qanda şəkərə nəzarət etməyə kömək edir. Sizin həkiminiz, diyetoloq və fitnes-məşqçi sizə çəkinin normallaşmasının planını hazırlamağa kömək edəcəklər. - Qanda şəkərin səviyyəsini yoxlayın və onu gündə iki dəfə Glucosio kimi xüsusi proqramların köməyi ilə izləyin, bu sizə yeməyi və həyat tərzini anlamağa kömək edəcək. - 2-3 ayda bir dəfə qanda şəkərin orta səviyyəsini bilmək üçün A1c qan analizini edin. Sizin həkiminiz hansı tezlikdə analiz verməli olduğunuzu deməlidir. - Sərf edilən karbohidratların izlənilməsi qanda şəkərin səviyyəsinin yoxlaması kimi əhəmiyyətli ola bilər, çünki karbohidratlar qanda qlükozanın səviyyəsinə təsir edir. Sizin həkiminizlə və ya diyetoloqla karbohidrat qəbulunu müzakirə edin. - Qan təzyiqinin, xolesterinin və triqliseridovin səviyyəsinə nəzarət etmək əhəmiyyətlidir, çünki şəkər xəstələri ürək xəstəliklərinə meyillidir. - Pəhrizin bir neçə variantı mövcuddur, onların köməyiylə daha çox sağlam qidalana bilirsiniz, bu sizə öz diabetinə nəzarət etməyə kömək edəcək. Hansı pəhrizin sizə və büdcənizə uyğun olması barədə diyetoloqdan soruşun. - Müntəzəm fiziki tapşırıqlar diabetiklər üçün xüsusilə əhəmiyyətlidir, çünki bu normal çəkini dəstəkləməyə kömək edir. Hansı tapşırıqların sizə uyğun olmasını həkiminizlə müzakirə edin. - Doyunca yatmamaqla çox yemək (xüsusilə qeyri sağlam qida) sizin sağlamlığınızda pis təsir edir. Gecələr yaxşı yatın. Əgər yuxuyla bağlı problemlər sizi narahat edirsə, mütəxəssisə müraciət edin. - Stress şəkər xəstələrinə pis təsir göstərir. Stressin öhdəsindən gəlmək barədə həkiminizlə və ya başqa mütəxəssislə məsləhətləşin. - İllik həkim yoxlaması və həkimlə mütəmadi əlaqə şəkər xəstləri üçün çox əhəmiyyətlidir, bu xəstəliyin istənilən kəskin partlayışının qarşısını almağa imkanverəcək. - Həkiminizin təyinatı üzrə dərmanları qəbul edin, hətta dərmanların qəbulunda kiçik buraxılışlar qanda şəkərin səviyyəsinə təsir göstərir və başqa təsirləri də ola bilər. Əgər sizə dərmanların qəbulunu xatırlamaq çətindirsə, xatırlatmanın imkanları haqqında həkiminizdən soruşun. - - - Yaşlı şəkər xəstələrində sağlamlıqla problemlərin yaranma riski daha çoxdur. Həkiminizlə yaşınızın xəstəliyinizə təsiri haqda danışın və nə etməli olduğunuzu öyrənin. - Hazırlanan yeməklərdə duzun miqdarını azaldın. Həmçinin yemək yeyərkən əlavə etdiyiniz duz miqdarını da azaldın. - - Köməkçi - İndi yenilə - OLDU, ANLADIM - ƏKS ƏLAQƏ GÖNDƏR - OXUMA ƏLAVƏ ET - Çəkinizi yeniləyin - Ən dəqiq informasiyaya malik olmaq üçün Glucosio-u yeniləməyi unutmayın. - Araşdırma qəbulunu yeniləyin - Siz həmişə diabetin birgə tədqiqatına qoşula və çıxa bilərsiniz, amma xatırladaq ki, bütün məlumatlar tamamilə anonimdir. Yalnız demoqrafiklər və qanda qlükozanın səviyyələrində tendensiyalar paylaşılır. - Kateqoriya yarat - Glucosio, standart olaraq qlükoza kateqoriyalara bölünmüş halda gəlir, amma siz nizamlamalarda şəxsi kateqoriyalarınızı yarada bilərsiniz. - Buranı tez-tez yoxla - Glucosio köməkçisi müntəzəm məsləhətlər verir və yaxşılaşmağa davam edəcək, buna görə hər zaman Glucosio təcrübənizi yaxşılaşdıracaq və digər faydalı şeylər üçün buranı yoxlayın. - Əks əlaqə göndər - Əgər siz hər hansı texniki problem aşkar etsəniz və ya Glucosio ilə əks əlaqə yaratmaq istəsəniz, Glucosio-u yaxşılaşdırmağa kömək etmək üçün nizamlamalardan bizə təqdim etməyinizi xahiş edirik. - Oxuma əlavə et - Qlükozanın öz ifadələrini daim əlavə etdiyinizə əmin olun. Buna görə sizə uzun vaxt ərzində qlükozanın səviyyələrini izləməyə kömək edə bilərik. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-ba/google-playstore-strings.xml b/app/src/main/res/values-ba/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-ba/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-ba/strings.xml b/app/src/main/res/values-ba/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-ba/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-bal/google-playstore-strings.xml b/app/src/main/res/values-bal/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-bal/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-bal/strings.xml b/app/src/main/res/values-bal/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-bal/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-ban/google-playstore-strings.xml b/app/src/main/res/values-ban/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-ban/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-ban/strings.xml b/app/src/main/res/values-ban/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-ban/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-be/google-playstore-strings.xml b/app/src/main/res/values-be/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-be/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-be/strings.xml b/app/src/main/res/values-be/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-be/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-ber/google-playstore-strings.xml b/app/src/main/res/values-ber/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-ber/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-ber/strings.xml b/app/src/main/res/values-ber/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-ber/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-bfo/google-playstore-strings.xml b/app/src/main/res/values-bfo/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-bfo/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-bfo/strings.xml b/app/src/main/res/values-bfo/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-bfo/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-bg/google-playstore-strings.xml b/app/src/main/res/values-bg/google-playstore-strings.xml deleted file mode 100644 index a4ec05a0..00000000 --- a/app/src/main/res/values-bg/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio е потребителски центрирано, безплатно и с отворен код приложение за хора с диабет - Използвайки Glucosio, може да въведете и проследявате нивата на кръвната захар, анонимно да подкрепите изследвания на диабета като предоставите демографски и анонимни тенденции на кръвната захар, да получите полезни съвети чрез нашия помощник. Glucosio уважава вашата поверителност и вие винаги може да контролирате вашите данни. - * Потребителски центрирано. Glucosio приложенията са изградени с функции и дизайн, които да отговарят на потребителските нужди и винаги сме отворени за предложения във връзка с подобрението. - * Отворен код. Glucosio приложенията ви дават свободата да използвате, копирате, проучвате и променяте кода на всяко едно от нашите приложения и дори да допринесете за развитието на Glucosio проекта. - * Управление на данни. Glucosio ви позволява да следите и да управлявате данните за диабета ви по интуитивен, модерен интерфейс изграден с помощта на съвети от диабетици. - * Подкрепете проучването. Glucosio приложенията дават на потребителите избор дали да участват в анонимното споделяне на данни за диабета и демографска информация с изследователите. - Моля изпращайте всякакви грешки, проблеми или предложения за функции на: - https://github.com/glucosio/android - Вижте повече: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-bg/strings.xml b/app/src/main/res/values-bg/strings.xml deleted file mode 100644 index 2ed3d8c6..00000000 --- a/app/src/main/res/values-bg/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Настройки - Изпрати отзив - Преглед - История - Съвети - Здравейте. - Здравейте. - Условия за ползване - Прочетох и приемам условията за ползване - Съдържанието на уеб страницата и приложението на Glucosio, например текст, графики, изображения и други материали (\"Съдържание\") са само с информативни цели. Съдържанието не е предназначено да бъде заместител на професионален медицински съвет, диагностика или лечение. Насърчаваме потребителите на Glucosio винаги да търсят съвет от лекар или друг квалифициран медицински специалист за всякакви въпроси, които може да имат по отношение на медицинско състояние. Никога не пренебрегвайте професионален медицински съвет и не го търсете със закъснение, защото сте прочели нещо в уеб страницата на Glucosio или в нашето приложение. Уеб страницата, блогът, уики странцата на Glucosio или друго съдържание достъпно през уеб браузър (\"Уеб страница\") трябва да се използва само за описаното по-горе предназначение.\n Уповаването във всякаква информация предоставена от Glucosio, екипът на Glucosio, доброволци и други, показани на Уеб страницата или в нашите приложения е единствено на ваш риск. Страницата и Съдържанието са предоставени само като основа. - Необходимо е набързо да попълните няколко неща преди да започнете. - Държава - Възраст - Моля въведете действителна възраст. - Пол - Мъж - Жена - Друг - Тип диабет - Тип 1 - Тип 2 - Предпочитана единица - Споделете анонимни данни за проучване. - Можете да промените тези настройки по-късно. - СЛЕДВАЩА - НАЧАЛО - Все още няма налична информация. \n Добавете вашите стойности тук. - Добави Ниво на Кръвната Захар - Концентрация - Дата - Време - Измерено - Преди закуска - След закуска - Преди обяд - След обяд - Преди вечеря - След вечеря - Основни - Повторна проверка - Нощ - Друг - Отказ - Добави - Моля въведете правилна стойност. - Моля попълнете всички полета. - Изтриване - Промяна - 1 отчитане изтрито - Отменям - Последна проверка: - Тенденция през последния месец: - В граници и здравословен - Месец - Ден - Седмица - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - Относно - Версия - Условия за ползване - Тип - Тегло - Потребителска категория за измерване - - Яжте повече пресни, неподправени храни, това ще спомогне за намаляване на приема на захар и въглехидрати. - Четете етикетите на пакетираните храни и напитки, за да контролирате приема на захар и въглехидрати. - Когато се храните навън, попитайте за риба и месо, печени без допълнително масло или олио. - Когато се храните навън, попитайте дали имат ястия с ниско съдържание на натрий. - Когато се храните навън, изяждайте същите порции, които бихте изяли у дома и помолете да вземете останалото за вкъщи. - Когато се храните навън питайте за ниско калорични храни като дресинги за салата, дори да ги няма в менюто. - Когато се храните навън, попитайте за заместители, например вместо Пържени картофи, поискайте зеленчуци, салата, зелен боб или броколи. - Когато се храните навън, поръчвайте храна, която не е панирана или пържена. - Когато се храните навън помолете отделно за сосове, сокове и дресинги за салата. - \"Без захар\" не означава наистина без захар. Означава 0,5 грама (g) захар на порция, така че внимавайте и не включвайте много храни \"без захар\" в храненето ви. - Поддържането на здравословно тегло ви помага да контролирате нивото на кръвна захар. Вашият доктор, диетолог или фитнес инструктор може да Ви помогне да изградите подходящ за вас режим. - Проверяването на нивото на кръвна захар и следенето й с приложение като Glucosio два пъти на ден ще Ви помогне да сте наясно с последствията от храната и начина Ви на живот. - Направете A1c кръвен тест, за да разберете вашето средно ниво на кръвна захар за последните 2 до 3 месеца. Вашият доктор трябва да Ви каже колко често трябва да правите този тест. - Следенето на количеството въглехидрати, което консумирате е също толкова важно, колкото проверяването на кръвта, тъй като те влияят на нивото на кръвна захар. Говорете с вашия доктор или диетолог относно приема въглехидрати. - Следенето на кръвното налягане, холестерола и нивата на триглицеридите е важно, тъй като диабетиците са податливи на сърдечни заболявания. - Има няколко диети, които могат да Ви помогнат да се храните по-здравословно и да намалите последствията от диабета. Потърсете съвет от диетолог, за това какво ще бъде най-добре за вас и вашия бюджет. - Правенето на редовни упражнения е особено важно за диабетиците и може да Ви помогне да поддържате здравословно тегло. Моля попитайте вашия лекар за упражнения, които биха били подходящи за вас. - Лишаването от сън може да Ви накара да ядете повече, особено вредна храна и може да има отрицателно влияние върху здравето. Бъдете сигурни, че получавате добър нощен сън и се консултирайте със специалист, ако изпитвате затруднения. - Стресът може да има отрицателно влияние върху диабета, моля свържете с вашия лекар, или друг професионалист и поговорете за справянето със стреса. - Посещавайки вашия доктор веднъж годишно и поддържайки постоянна връзка през годината е важно за диабетиците, за да предотвратят внезапното възникване на здравословни проблеми. - Взимайте лекарствата си според предписанията на вашия лекар, дори малки пропуски могат да повлияят на нивото на кръвната ви захар и може да причинят странични ефекти. Ако имате затруднения с запомнянето, попитайте вашия доктор за следене на лечението и начини за напомняне. - - - Здравето на по-възрастните диабетици е изложено на по-голям риск свързан с диабета. Моля свържете с вашия доктор и се информирайте, как възрастта влияе на диабета ви и за какво да внимавате. - Ограничете количеството сол, когато готвите и когато подправяте вече готовите ястия. - - Помощник - АКТУАЛИЗИРАЙ СЕГА - ДОБРЕ, РАЗБРАХ - ИЗПРАТИ ОТЗИВ - ДОБАВИ ПОКАЗАТЕЛ - Актуализиране на тегло - Актуализирайте теглото си, за да може Glucosio да разполага с най-точна информация. - Актуализиране на участието в проучването - Винаги може да изберете дали да участвате или да не участвате в споделянето на данни за проучването на диабета, но помнете, че всички споделени данни са изцяло анонимни. Ние споделяме само демографски данни и тенденции в нивото на кръвна захар. - Създай категории - В Glucosio са предложени готови категории за въвеждане на данни за кръвната захар, но можете да създадете собствени категории в настройките, за да отговарят на вашите уникални нужди. - Проверявайте често тук - Glucosio помощникът осигурява редовни съвети и ще продължи да се подобрява, така че винаги проверявай тук за полезни действия, които да подобрят вашата употреба на Glucosio и за други полезни съвети. - Изпрати отзив - Ако откриете някакви технически грешки или имате отзив за Glucosio ви насърчаваме да го изпратите в менюто \"Настройки\", за да ни помогнете да усъвършенстваме Glucosio. - Добави стойност - Не забравяйте редовно да добавяте показанията на кръвната ви захар, така ще можем да ви помогнем да проследите нивата с течение на времето. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Предпочитан диапазон - Потребителски диапазон - Минимална стойност - Максимална стойност - ИЗПРОБВАЙ СЕГА - diff --git a/app/src/main/res/values-bh/google-playstore-strings.xml b/app/src/main/res/values-bh/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-bh/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-bh/strings.xml b/app/src/main/res/values-bh/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-bh/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-bi/google-playstore-strings.xml b/app/src/main/res/values-bi/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-bi/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-bi/strings.xml b/app/src/main/res/values-bi/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-bi/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-bm/google-playstore-strings.xml b/app/src/main/res/values-bm/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-bm/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-bm/strings.xml b/app/src/main/res/values-bm/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-bm/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-bn/google-playstore-strings.xml b/app/src/main/res/values-bn/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-bn/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-bn/strings.xml b/app/src/main/res/values-bn/strings.xml deleted file mode 100644 index fd966d0b..00000000 --- a/app/src/main/res/values-bn/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - সেটিংস - ফিডব্যাক প্রেরণ করুন - সংক্ষিপ্ত বিবরণ - ইতিহাস - ইঙ্গিত - হ্যালো। - হ্যালো। - ব্যবহারের শর্তাবলী। - আমি ব্যবহারের শর্তাবলী পড়েছি এবং তা মেনে নিচ্ছি - গ্লুকোসিও ওয়েবসাইট এবং অ্যাপের কন্টেন্ট, যেমন লেখা, গ্রাফিক্স, ছবি এবং অন্যান্য উপকরণ (\"কন্টেন্ট\") শুধুমাত্র তথ্যভিত্তিক ব্যবহারের জন্য। এই কন্টেন্ট কোন পেশাদার মেডিক্যাল পরামর্শ, ডায়গোনসিস বা চিকিৎসার বিকল্প নয়। আমরা গ্লুকোসিও ব্যবহারকারীদের সবসময় উৎসাহিত করি যেকোন স্বাস্থ্যগত সমস্যায় একজন চিকিৎসক অথবা অন্য কোন পরীক্ষিত স্বাস্থ্যসেবা প্রদানকারীর পরামর্শ নিতে। গ্লুকোসিও ওয়েবসাইট বা অ্যাপে পড়েছেন এমন কিছুর জন্য কখনও পেশাদার চিকিৎসকের পরামর্শকে উপেক্ষা বা পরামর্শ নিতে দেরি করা উচিত নয়। গ্লুকোসিও ওয়েবসাইট, ব্লগ, উইকি এবং ওয়েব ব্রাউজারে পাওয়া যায় (\"ওয়েবসাইট\") শুধুমাত্র উপরের বর্ণিত উদ্দেশ্যেই ব্যবহারযোগ্য।\n গ্লুকোসিও, গ্লুকোসিও টিম মেম্বার, স্বেচ্ছাসেবক এবং এর ওয়েবসাইট বা অ্যাপে দেওয়া কোন তথ্যের উপর কেবলমাত্র আপনার নিজ দায়িত্বে ভরসা রাখবেন। সাইট এবং কন্টেন্ট \"পূর্বের অভিজ্ঞতার\" ভিত্তিতে প্রদান করা হয়। - শুরু করার আগে আমাদের শুধু দ্রুত কিছু জিনিস প্রয়োজন। - দেশ - বয়স - একটি বৈধ বয়স লিখুন। - লিঙ্গ - পুরুষ - মহিলা - অন্যান্য - ডায়াবেটিসের ধরণ - ১ নং ধরণ - ২ নং ধরণ - পছন্দের ইউনিট - গবেষণার জন্য বেনামী তথ্য শেয়ার করুন। - আপনি এগুলি সেটিংসে গিয়ে পরেও বদলাতে পারেন। - পরবর্তী - শুরু করুন - এখন পর্যন্ত কোন তথ্য নেই। \n আপনার রিডিং এখানে যোগ করুন। - রক্তে গ্লুকোজের মাত্রা যোগ করুন - ঘনত্ব - তারিখ - সময় - পরিমাপ - সকালে খাওয়ার আগে - সকালে খাওয়ার পরে - দুপুরে খাওয়ার আগে - দুপুরে খাওয়ার পরে - রাতে খাওয়ার আগে - রাতে খাওয়ার পরে - সাধারণ - পুনঃপরীক্ষা - রাত - অন্যান্য - বাতিল - যোগ - অনুগ্রহ করে একটি বৈধ মান প্রবেশ করান। - অনুগ্রহ করে সকল ফিল্ড ভরাট করুন। - মুছে ফেলুন - সম্পাদন - একটি তথ্য মুছে ফেলা হল - বাতিল করুন - সর্বশেষ পরীক্ষা: - গত মাস ধরে প্রবনতা: - পরিসীমার মধ্যে ও সুস্থ - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - সম্পর্কে - সংস্করণ - ব্যবহারের শর্তাবলী। - ধরন - Weight - কাস্টম পরিমাপ বিভাগ - - কার্বহাইড্রেট এবং সুগারের মাত্রা কমাতে, বেশি করে তাজা, অপ্রক্রিয়াজাত খাবার খান। - সুগার এবং কার্বহাইড্রেটের মাত্রা নিয়ন্ত্রণে রাখতে খাবার এবং পানীয়ের প্যাকেজের পুষ্টি সম্পর্কিত লেবেল পড়ুন। - যখন বাইরে খাবেন, বাড়তি মাখন বা তেল ছাড়া সিদ্ধ করা মাছ বা মাংস চান। - যখন বাইরে খাবেন, জিজ্ঞেস করুন তাদের কম সোডিয়ামযুক্ত খাবার পদ রয়েছে কিনা। - যখন বাইরে খাবেন, বাড়িতে যে পরিমান খাবার খান ঠিক সেই পরিমান খাবার খান, বাকী খাবার যাওয়ার সময় নিয়ে নিন। - যখন বাইরে খাবেন তাদের তালিকায় কম ক্যালোরির পদ মেনুতে না থাকলেও, এমন খাবার চেয়ে নিন, যেমন সালাদ ইত্যাদি। - যখন বাইরে খাবেন, খাবার বদল করতে বলুন। ফেঞ্চ ফ্রাইয়ের বদলে শাঁকসব্জি যেমন সালাদ, গ্রিন বিনস অথবা ব্রোকলি দ্বিগুণ পরিমানে অর্ডার করুন। - যখন বাইরে খাবেন, ভাঁজা-পোড়া নয় এমন খাবার অর্ডার করুন। - যখন বাইরে খাবেন \"সাথে\" সস, ঝোলজাতীয় এবং সালাদের কথা বলুন। - চিনিবিহীন মানে একেবারে চিনিমুক্ত নয়। এর অর্থ হল প্রতি পরিবেশনে 0.5 গ্রাম (g) চিনি থাকবে, তাই সতর্ক থাকুন যেমন খুব বেশি চিনিবিহীন আইটেম রাখা না হয়। - ব্লাড সুগার নিয়ন্ত্রণে রাখতে শরীরের সঠিক ওজন সাহায্য করে। আপনার চিকিৎসক, পরামর্শক এবং ফিটনেস প্রশিক্ষক আপনাকে এ উদ্দেশ্যে কাজ করতে পরিকল্পনায় সাহায্য করতে পারে। - ব্লাড লেভেল পরীক্ষা করে এবং তা দিনে দুইবার গ্লুকোসিও এর মত কোন অ্যাপে ট্র্যাক করে আপনার খাবার এবং জীবনধারনের পদ্ধতির ফলাফল সম্পর্কে আপনি জানতে পারবেন। - গত ২ বা ৩ মাসে আপনার রক্তে গড় চিনির পরিমাণ জানতে A1c রক্ত পরীক্ষা নিন। আপনার চিকিৎসক আপনাকে বলে দিবে কত ঘন ঘন আপনাকে এই পরীক্ষাটি করাতে হবে। - যেহেতু কার্বহাইড্রেট রক্তে গ্লুকোজের পরিমাণ প্রভাবিত করে তাই আপনি কি পরিমাণ কার্বোহাইড্রেট গ্রহণ করছেন তা ট্র্যাক করা রক্তে গ্লুকোনের মাত্রা পরীক্ষা করার মতনই গুরুত্বপূর্ণ। - রক্তচাপ, কোলেস্টেরল এবং ট্রাইগ্লিসারাইড লেভেল নিয়ন্ত্রণ গুরুত্বপূর্ণ কারন ডায়বেটিস হৃদরোগ ঘটাতে সক্ষম। - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - সহকারী - এখনই আপডেট করো - ঠিক আছে, বুঝতে পেরেছি - ফিডব্যাক জমা করুন - রিডিং সংযুক্ত করুন - আপনার নতুন ওজন দিন - Make sure to update your weight so Glucosio has the most accurate information. - আপনার গবেষণা হালনাগাদে যোগ দিন - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - বিভাগ তৈরি করুন - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - এখানে প্রায়ই পরীক্ষা করুন - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - ফিডব্যাক জমা করুন - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - পড়ায় যুক্ত করুন - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-bo/google-playstore-strings.xml b/app/src/main/res/values-bo/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-bo/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-bo/strings.xml b/app/src/main/res/values-bo/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-bo/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-br/google-playstore-strings.xml b/app/src/main/res/values-br/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-br/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-br/strings.xml b/app/src/main/res/values-br/strings.xml deleted file mode 100644 index 9cd2421a..00000000 --- a/app/src/main/res/values-br/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Arventennoù - Send feedback - Alberz - Istorel - Tunioù - Demat. - Demat. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - Ezhomm hon eus traoù bennak a-raok kregiñ. - Country - Oad - Bizskrivit un oad talvoudek mar plij. - Rev - Gwaz - Maouez - All - Diabetoù seurt - Seurt 1 - Seurt 2 - Unanenn muiañ plijet - Rannañ roadennoù dizanv evit an enklask. - Gallout a rit kemmañ an dra-se diwezhatoc\'h. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Ouzhpenn ul Live Gwad Glukoz - Dizourañ - Deiziad - Eur - Muzulet - A-raok dijuniñ - Goude dijuniñ - A-raok merenn - Goude merenn - A-raok pred - Goude pred - General - Recheck - Night - Other - NULLAÑ - OUZHPENN - Please enter a valid value. - Leunit ar maezioù mar plij. - Dilemel - Embann - 1 lenn dilezet - DIZOBER - Gwiriadur diwezhañ: - Feur tremenet ar miz paseet: - en reizh an yec\'hed - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-bs/google-playstore-strings.xml b/app/src/main/res/values-bs/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-bs/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-bs/strings.xml b/app/src/main/res/values-bs/strings.xml deleted file mode 100644 index 55c1f2ed..00000000 --- a/app/src/main/res/values-bs/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Postavke - Pošaljite povratnu informaciju - Pregled - Historija - Savjeti - Zdravo. - Zdravo. - Uvjeti korištenja. - Pročitao/la sam i prihvatam uvjete korištenja - Sadržaj Glucosio web stranice i aplikacije, kao što su tekst, grafika, slike i drugi materijali (\"sadržaj\") služe za informisanje. Sadržaj nije namijenjen kao zamjena za profesionalni medicinski savjet, dijagnozu ili liječenje. Preporučujemo Glucosio korisnicima da uvijek traže savjet od svog liječnika ili drugih kvalifikovanih zdravstvenih radnika kada je riječ o njihovom zdravlju. Nikada nemojte zanemariti profesionalni medicinski savjet ili oklijevati u traženju savjeta zbog nečega što ste pročitali na Glucosio web stranici ili našim aplikacijama. Glucosio web stranica, blog, wiki i ostali na webu dostupan sadržaj (\"web stranice\") treba koristiti samo za svrhe za koje je navedeno. \n Oslanjanje na bilo koje informacije koje dostavlja Glucosio, članovi Glucosio tima, volonteri ili druga lica koja se pojavljuju na web stranici ili u našim aplikacijama je isključivo na vlastitu odgovornost. Stranice i sadržaj su omogućeni na osnovi \"Kakav jest\". - Potrebno nam je par brzih stvari prije nego što započnete. - Država - Dob - Molimo unesite valjanu dob. - Spol - Muški - Ženski - Drugo - Tip dijabetesa - Tip 1 - Tip 2 - Preferirana jedinica - Podijeli anonimne podatke zarad istraživanja. - Ove postavke možete promijeniti kasnije. - DALJE - ZAPOČNITE - Nema informacija.\nDodajte svoje prvo očitavanje ovdje. - Dodajte nivo glukoze u krvi - Koncentracija - Datum - Vrijeme - Izmjereno - Prije doručka - Nakon doručka - Prije ručka - Nakon ručka - Prije večere - Nakon večere - Opće - Ponovo provjeri - Noć - Ostalo - OTKAŽI - DODAJ - Molimo da unesete valjanu vrijednost. - Molimo da popunite sva polja. - Obriši - Uredi - 1 čitanje obrisano - PONIŠTI - Zadnja provjera: - Trend u proteklih mjesec dana: - u granicama i zdrav - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - O programu - Verzija - Uvjeti korištenja - Tip - Weight - Zasebna kategorija mjerenja - - Jedite više svježe neprocesirane hrane da biste smanjili unos ugljikohidrata i šećera. - Pročitajte nutritivnu tablicu na ambalaži hrane i pića da biste kontrolisali unos ugljikohidrata i šećera. - Kada jedete vani, tražite ribu ili meso kuhano bez dodatnog putera ili ulja. - Kada jedete vani, tražite jela sa niskim nivoom natrija. - Kada jedete vani, jedite istu porciju kao što biste i kod kuće, ostatke hrane ponesite. - Kada jedete vani tražite niskokaloričnu hranu, poput dresinga za salatu, čak i ako nisu na jelovniku. - Kada jedete vani tražite zamjenu. Umjesto pomfrita tražite duplu porciju povrća poput salate, mahuna ili brokula. - Kada jedete vani, tražite hranu koja nije pohovana ili pržena. - Kada jedete vani tražite soseve, umake i dresinge za salatu \"sa strane.\" - Bez šećera ne znači doslovno bez šećera. To znaći 0,5 grama (g) šećera po porciji, pa se nemojte previše upuštati u hranu bez šećera. - Kretanje ka zdravoj težini pomaže kontrolisanje šećera u krvi. Vaš doktor, dijetetičar ili fitness trener mogu vam pomoći da započnete sa zdravom ishranom. - Provjeravanje vašeg nivoa krvi i praćenje u aplikaciji poput Glucosia dvaput dnevno će vam pomoći da budete svjesni ishoda vaših izbora hrane i načina života. - Uradite A1c nalaz krvi da saznate prosjek vašeg šećera u krvi u zadnja 2 do 3 mjeseca. Vaš doktor bi vam trebao reći koliko često će ovaj test biti potrebno raditi. - Praćenje koliko ugljikohidrata konzumirate može biti podjednako važno kao provjeravanje nivoa u krvi jer ugljikohidrati utiču na nivo glukoze u krvi. Porazgovarajte s vašim doktorom ili dijetetičarom o unosu ugljikohidrata. - Kontrolisanje krvnog pritiska, holesterola i triglicerida je važno jer su dijebetičari podložni oboljenjima srca. - Postoji nekoliko pristupa prehrani da biste jeli zdravije te poboljšali vaše stanje dijabetesa. Tražite savjet dijetetičara šta bi bilo najdjelotvornije za vas i vaš budžet. - Redovna tjelovježba je posebno važna za ljude s dijabetesom jer vam pomaže da održite tjelesnu težinu. Porazgovarajte s vašim doktorom o vježbama koje su prikladne za vas. - Nedostatak sna vas može navesti da jedete više, pogotovo nezdrave hrane i tako negativno uticati na vaše zdravlje. Pobrinite se da se dobro naspavate i konsultujte se sa specijalistom za san ukoliko imate poteškoća. - Stres može imati negativan uticaj na dijabetes te stoga porazgovarajte s vašim doktorom ili drugim stručnim licem o suočavanju sa stresom. - Posjećivanje vašeg doktora jedanput godišnje i redovna komunikacija tokom godine je veoma važna za dijabetičare da bi spriječili iznenadnu pojavu povezanih zdravstvenih problema. - Vaše lijekove uzimajte kako su vam je doktor propisao, a čak i najmanji propust može uticati na nivo glukoze u vašoj krvi i uzrokovati druge nuspojave. Ukoliko imate problema da se sjetite uzeti lijek, obavezno o tome porazgovarajte sa doktorom. - - - Stariji dijabetičari mogu imati veći rizik za druge zdravstvene probleme povezane s dijabetesom. Porazgovarajte s vašim doktorom o tome kako vaša dob utiče na vaš dijabetes. - Ograničite količinu soli koju koristite za pripremanje hrane i koju dodajete u jela nakon što su skuhana. - - Asistent - AŽURIRAJ - OK, HVALA - POŠALJI POVRATNU INFORMACIJU - DODAJ OČITAVANJE - Ažurirajte vašu težinu - Pobrinite se da ažurirate vašu težinu kako bi Glucosio imao najtačnije informacije. - Ažurirajte vaše opt-in istraživanje - Uvijek možete opt-in ili opt-out dijeljenje istraživanja dijabetesa, ali zapamtite da su svi podijeljeni podaci anonimni. Dijelimo samo demografske i trendove nivoa glukoze. - Kreiraj kategorije - Glucosio dolazi sa izvornim kategorijama za unos glukoze ali vi u postavkama možete kreirati zasebne kategorije koje odgovaraju vašim potrebama. - Često provjerite ovdje - Glucosio asistent pruža redovne savjete i nastavit će se unapređivati, stoga često provjerite ovdje za korisne akcije koje možete poduzeti da poboljšanje svog Glucosio doživljaja te druge korisne savjete. - Pošalji povratne informacije - Ukoliko naiđete na tehničke probleme ili imate druge povratne informacije o Glucosiu, molimo vas da ih pošaljete putem menija za postavke kako bismo unaprijedili Glucosio. - Dodaj očitavanje - Pobrinite se da redovno dodajete svoja očitavanja glukoze kako bismo vam pomogli da pratite vaše nivoe glukoze tokom vremena. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-ca/google-playstore-strings.xml b/app/src/main/res/values-ca/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-ca/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-ca/strings.xml b/app/src/main/res/values-ca/strings.xml deleted file mode 100644 index c35923d9..00000000 --- a/app/src/main/res/values-ca/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Configuració - Envieu comentaris - Informació general - Historial - Consells - Hola. - Hola. - Condicions d\'ús. - He llegit i accepto les condicions d\'ús - Els continguts de l\'aplicació i pàgina web de Glucosio, tal com el text, gràfics, imatges, i altre material (\"Contingut\") són només amb finalitats informatives. El contingut no pretén ser un substitutiu pels consells, diagnòstics o tractaments mèdics professionals. Animem als usuaris de Glucosio a seguir sempre les recomanacions del seu metge o altre assistent sanitari amb qualsevol consulta que puguin tenir relacionada amb la seva condició mèdica. Mai s\'han de desatendre o retardar les recomanacions mèdiques per haver llegit alguna cosa a la pàgina web de Glucosio a a les nostres aplicacions. El lloc web, blog i wiki de Glucosio i altre contingut accessible des del navegador (\"Lloc web\") s\'hauria d\'utilitzar únicament amb la finalitat descrita anteriorment.\n La confiança dipositada en qualsevol informació proporcionada per Glucosio, els membres de l\'equip de Glucosio, voluntaris i altres que apareixen al lloc web o a les nostres aplicacions queda baix el seu propi risc. El lloc i el contingut es proporcionen sobre una base \"tal qual\". - Només necessitem unes quantes coses abans de començar. - País - Edat - Si us plau, introdueix una data vàlida. - Gènere - Home - Dona - Altre - Tipus de diabetis - Tipus 1 - Tipus 2 - Unitat preferida - Compartiu dades anònimes per a la recerca. - Podeu canviar-ho més tard a les preferències. - SEGÜENT - COMENÇA - Encara no hi ha informació disponible.\n Afegiu aquí la vostra primera lectura. - Afegeix nivell de glucosa a la sang - Concentració - Data - Hora - Mesurat - Abans de l\'esmorzar - Després de l\'esmorzar - Abans del dinar - Després del dinar - Abans del sopar - Després del sopar - General - Torna a comprovar - Nocturn - Altre - CANCEL·LA - AFEGEIX - Si us plau, introduïu un valor vàlid. - Si us plau, empleneu tots els camps. - Suprimeix - Edita - S\'ha suprimit 1 lectura - DESFÉS - Darrera verificació: - Tendència del més passat: - dins el rang i saludable - Mes - Dia - Setmana - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - En quant a - Versió - Condicions d\'ús - Tipus - Pes - Categoria de mesura personalitzada - - Mengeu més aliments frescos i sense processar per ajudar a reduir la ingesta de carbohidrats i sucre. - Llegiu l\'etiqueta nutricional a les begudes i aliments envasats per a controlar la ingesta de sucre i carbohidrats. - En sortir a menjar, demaneu per carn o peix cuinada sense oli o mantega extra. - En sortir a menjar, demaneu si tenen plats baixos en sodi. - En sortir a menjar, mengeu porcions semblants a les que prendríeu a casa i demaneu les sobres per emportar. - En sortir a menjar, demaneu per elements baixos en calories com el guarniment per a amanides, fins i tot si no estan al menú. - En sortir a menjar, demaneu per substitucions. Enlloc de patates fregides, demaneu una comanda adicional de vegetals com amanida, mongetes verdes o bròquil. - En sortir a menjar, comaneu aliments que no siguin arrebossats o fregits. - En sortir a menjar, demaneu que us serveixin per separat les salses i guarnicions. - Sense sucre no significa realment sense sucre. Significa 0,5 grams (g) de sucre per ració, així que aneu amb compte de no comptar massa amb els elements sense sucre. - Avançar cap a un pes saludable ajuda a controlar els nivell de sucre. El vostre doctor, nutricionista o entrenador pot ajudar-vos en un pla que funcioni per a vosaltres. - Comprovar el vostre nivell de sang i fer-ne el seguiment amb una aplicació com Glucosio dues vegades diàries us ajudarà a tenir en compte els resultats de les eleccions de menjar i de l\'estil de vida. - Aconseguiu anàlisi de sang del tipus A1c per esbrinar la vostra mitja de sucre a la sang pels darrers 2 a 3 mesos. El vostre doctor us hauria d\'informar sobre la freqüència en que aquests anàlisi s\'han de realitzar. - Fer el seguiment de la quantitat de carbohidrats que consumiu pot ser tan important com comprovar els nivells de sang, ja que els carbohidrats influeixen sobre els nivells de glucosa. Xerreu amb els vostre doctor o nutricionista sobre la ingesta de carbohidrats. - És important controlar la pressió de la sang, el colesterol i el nivell de triglicèrids ja que els diabètics tenen tendència a malalties cardíaques. - Podeu avaluar diferents enfocaments cap a la vostra dieta per menjar més sa i ajudar a millorar els resultats de la diabetis. Demaneu consell al vostre nutricionista sobre el que pot anar millor per a vosaltres i el vostre pressupost. - Treballar en fer exercici regularment és especialment important amb la gent amb diabetis i pot ajudar a mantenir un pes saludable. Xerreu amb el vostre doctor sobre les exercicis que són apropiats per a vosaltres. - La falta de son us pot fer menjar més, especialment menjar escombraria i el resultat pot impactar negativament a la vostra salut. Assegurau-vos de dormir bé i consulteu un especialista de la son si teniu dificultats. - L\'estrès pot impactar negativament en la diabetis, xerreu amb el vostre doctor o especialista sobre fer front a l\'estrès. - Visitar el vostre doctor anualment i tenir una comunicació habitual durant l\'any és important per prevenir cap canvi sobtat en la salut dels diabètics. - Preneu els vostres medicaments seguint la prescripció del vostre doctor, fins i tot petits lapses poden afectar al vostre nivell de glucosa a la sang i causar altres efectes secundaris. Si teniu dificultats de memòria demaneu al vostre doctor per gestió de medicació i opcions de recordatoris. - - - Els diabètics grans poden tenir un risc major de problemes de salut associats amb la diabetis. Consulteu amb el vostre doctor sobre l\'efecte de l\'edat en la vostra diabetis i quines coses s\'han de tenir en compte. - Limiteu la quantitat de sal que utilitzeu per cuinar i la que afegiu a aliments ja cuinats. - - Assistent - ACTUALITZA ARA - D\'ACORD, HO ENTENC - ENVIA COMENTARIS - AFEGEIX LECTURA - Actualitzeu el vostre pes - Assegureu-vos d\'actualitzar el vostre pes per tal que Glucosio disposi de l\'informació més precisa. - Opció d\'actualització de la recerca - Sempre podeu triar entre optar o no per la compartició de la recerca de la diabetis, però recordeu que totes les dades es comparteixen de manera completament anònima. Només es comparteix la demografia i les tendències de nivell de glucosa. - Crea categories - El Glucosio ve amb categories predeterminades per entrada de glucosa però podeu crear categories personalitzades dins la configuració per ajustar-ho a les vostres necessitats particulars. - Comprova sovint aquí - L\'assistent de Glucosio proporciona consells regulars i continuarà millorant, així que comproveu sempre aquí els passos que podeu prendre per millorar l\'experiència de Glucosio i altres consells útils. - Envia comentari - Si trobeu incidències tècniques o teniu comentaris sobre Glucosio us animem a enviar-ho des del menú de configuració per tal d\'ajudar-nos a millorar Glucosio. - Afegeix una lectura - Assegureu-vos d\'afegir regularment les vostres lectures de glucosa per tal que puguem ajudar-vos a fer un seguiment dels vostres nivells de glucosa al llarg del temps. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Rang preferit - Rang personalitzat - Valor mínim - Valor màxim - PROVEU-HO ARA - diff --git a/app/src/main/res/values-ce/google-playstore-strings.xml b/app/src/main/res/values-ce/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-ce/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-ce/strings.xml b/app/src/main/res/values-ce/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-ce/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-ceb/google-playstore-strings.xml b/app/src/main/res/values-ceb/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-ceb/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-ceb/strings.xml b/app/src/main/res/values-ceb/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-ceb/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-ch/google-playstore-strings.xml b/app/src/main/res/values-ch/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-ch/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-ch/strings.xml b/app/src/main/res/values-ch/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-ch/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-chr/google-playstore-strings.xml b/app/src/main/res/values-chr/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-chr/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-chr/strings.xml b/app/src/main/res/values-chr/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-chr/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-ckb/google-playstore-strings.xml b/app/src/main/res/values-ckb/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-ckb/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-ckb/strings.xml b/app/src/main/res/values-ckb/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-ckb/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-co/google-playstore-strings.xml b/app/src/main/res/values-co/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-co/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-co/strings.xml b/app/src/main/res/values-co/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-co/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-cr/google-playstore-strings.xml b/app/src/main/res/values-cr/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-cr/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-cr/strings.xml b/app/src/main/res/values-cr/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-cr/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-crs/google-playstore-strings.xml b/app/src/main/res/values-crs/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-crs/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-crs/strings.xml b/app/src/main/res/values-crs/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-crs/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-cs/google-playstore-strings.xml b/app/src/main/res/values-cs/google-playstore-strings.xml deleted file mode 100644 index 46c1539a..00000000 --- a/app/src/main/res/values-cs/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Jakékoliv chyby, problémy nebo požadavky nám oznamujte na: - https://github.com/glucosio/android - Další informace: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-cs/strings.xml b/app/src/main/res/values-cs/strings.xml deleted file mode 100644 index e1095a5e..00000000 --- a/app/src/main/res/values-cs/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Možnosti - Odeslat zpětnou vazbu - Přehled - Historie - Tipy - Ahoj. - Ahoj. - Podmínky užívání. - Přečetl jsem si a souhlasím s výše uvedenými Podmínkami užívání - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - Ještě než začneme, chtěli bychom vědět pár věcí. - Země - Věk - Zadejte, prosím, platný věk. - Pohlaví - Muž - Žena - Jiné - Typ cukrovky - Typ 1 - Typ 2 - Preferovaná jednotka - Sdílet anonymní data pro výzkum. - Tato nastavení můžete později změnit v kartě nastavení. - DALŠÍ - ZAČÍNÁME - Zatím nejsou k dispozici žádné informace. \n Přidejte zde váš první záznam. - Přidat hladinu glukózy v krvi - Koncentrace - Datum - Čas - Naměřeno - Před snídaní - Po snídani - Před obědem - Po obědě - Před večeří - Po večeři - Obecné - Znovu zkontrolovat - Noc - Ostatní - ZRUŠIT - PŘIDAT - Prosím, zadejte platnou hodnotu. - Vyplňte, prosím, všechna pole. - Odstranit - Upravit - odstraněn 1 záznam - ZPĚT - Poslední kontrola: - Trend za poslední měsíc: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - O programu - Verze - Podmínky užívání - Typ - Váha - Vlastní kategorie měření - - Jezte více čerstvých, nezpracovaných potravin, pomůžete tak snížit příjem sacharidů a cukrů. - Přečtěte nutriční hodnoty na balených potravinách a nápojích pro kontrolu příjmu sacharidů a cukrů. - Při stravování mimo domov žádejte o ryby nebo maso pečené bez přidaného másla nebo oleje. - Při stravování mimo domov se zeptejte, zda podávají jídla s nízkým obsahem sodíku. - Při stravování mimo domov jezte stejně velké porce, jako byste jedli doma, zbytky si vezměte s sebou. - Při stravování mimo domov požádejte o nízkokalorická jídla, například salátové dresinky, i v případě, že nejsou v nabídce. - Při stravování mimo domov žádejte o náhrady. Místo hranolků požádejte dvojitou porci zeleniny, jako je salát, zelené fazolky nebo brokolice. - Při stravování mimo domov si objednávejte jídla, která nejsou obalovaná nebo smažená. - Při stravování mimo domov požádejte o omáčky a salátové dresinky \"bokem.\" - \"Bez cukru\" opravdu neznamená bez cukru. To znamená 0,5 gramů (g) cukru na jednu porci, dejte si tedy pozor, abyste nekonzumovali tolik jídel \"bez cukru\". - Zdravá tělesná váha pomáhá držet krevní cukr pod kontrolou. Váš lékař, dietolog nebo fitness trenér vám může pomoci vytvořit plán, který vám s udržením nebo snížením tělesné váhy pomůže. - Kontrola a sledování hladiny krevního tlaku dvakrát denně v aplikaci jako je Glucosio vám pomůže znát výsledky z volby stravování a životního stylu. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Kontroly krevního tlaku, hladiny cholesterolu a hladiny triglyceridů, jsou důležité, neboť diabetici jsou náchylní k srdečním onemocněním. - Existuje několik typů diet, které můžete zvolit proto, abyste jedli zdravě a zároveň zlepšili výsledky cukrovky. Vyhledejte dietologa pro radu o nejvhodnější dietě pro vás a váš rozpočet. - Pravidelné cvičení je důležité zejména pro lidi trpící cukrovkou a může pomoci udržet si zdravou váhu. Poraďte se se svým lékařem o tom, která cvičení pro vás mohou být vhodná. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stres může mít na cukrovku negativní dopad, zvládání stresu můžete konzultovat s Vaším lékařem nebo jiným specialistou. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Starší diabetici mohou být více náchylní k onemocněním spojeným s cukrovkou. Konzultujte s vaším doktorem, jak velkou hraje váš věk roli s cukrovkou a na co si dát pozor. - Omezte množství soli, kterou používáte při vaření, a kterou přidáváte do jídel poté, co se jídla uvařila. - - Asistent - AKTUALIZOVAT NYNÍ - OK, ROZUMÍM - ODESLAT ZPĚTNOU VAZBU - PŘIDAT MĚŘENÍ - Aktualizujte vaši hmotnost - Ujistěte se, aby byla vaše váha vždy aktuální tak, aby mělo Glucosio co nejpřesnější informace. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Vytvořit kategorie - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Kontrolujte často - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Odeslat zpětnou vazbu - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Přidat měření - Ujistěte se, aby jste pravidelně přidávali hodnoty hladiny glykémie tak, abychom vám mohli pomoci průběžně sledovat hladiny glukózy. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Upřednostňovaný rozsah - Vlastní rozsah - Minimální hodnota - Nejvyšší hodnota - TRY IT NOW - diff --git a/app/src/main/res/values-csb/google-playstore-strings.xml b/app/src/main/res/values-csb/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-csb/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-csb/strings.xml b/app/src/main/res/values-csb/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-csb/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-cv/google-playstore-strings.xml b/app/src/main/res/values-cv/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-cv/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-cv/strings.xml b/app/src/main/res/values-cv/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-cv/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-cy/google-playstore-strings.xml b/app/src/main/res/values-cy/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-cy/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-cy/strings.xml b/app/src/main/res/values-cy/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-cy/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-da/google-playstore-strings.xml b/app/src/main/res/values-da/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-da/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-da/strings.xml b/app/src/main/res/values-da/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-da/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-de/google-playstore-strings.xml b/app/src/main/res/values-de/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-de/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-de/strings.xml b/app/src/main/res/values-de/strings.xml deleted file mode 100644 index a24053ae..00000000 --- a/app/src/main/res/values-de/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Einstellungen - Send feedback - Übersicht - Verlauf - Tipps - Hallo. - Hallo. - Nutzungsbedingungen. - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - Wir brauchen nur noch einige Dinge bevor Sie loslegen können. - Land - Alter - Bitte geben Sie ein gültiges Alter ein. - Geschlecht - Männlich - Weiblich - Sonstiges - Diabetes Typ - Typ 1 - Typ 2 - Bevorzugte Einheit - Anonyme Daten für die Forschung teilen. - Sie können dies später in den Einstellungen ändern. - NÄCHSTE - LOSLEGEN - No info available yet. \n Add your first reading here. - Blutzuckerspiegel hinzufügen - Konzentration - Datum - Zeit - Gemessen - Vor dem Frühstück - Nach dem Frühstück - Vor dem Mittagessen - Nach dem Mittagessen - Vor dem Abendessen - Nach dem Abendessen - Allgemein - Recheck - Nacht - Other - ABBRECHEN - HINZUFÜGEN - Please enter a valid value. - Bitte alle Felder ausfüllen. - Löschen - Bearbeiten - 1 Messwert gelöscht - RÜCKGÄNGIG - Zuletzt geprüft: - Trend in letzten Monat: - im normalen Bereich und gesund - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - Über - Version - Nutzungsbedingungen - Typ - Weight - Custom measurement category - - Essen Sie mehr frische, unverarbeitete Lebensmittel um Aufnahme von Kohlenhydraten und Zucker zu reduzieren. - Lesen Sie das ernährungsphysiologische Etikett auf verpackten Lebensmitteln und Getränken, um Zucker- und Kohlenhydrataufnahme zu kontrollieren. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-dsb/google-playstore-strings.xml b/app/src/main/res/values-dsb/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-dsb/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-dsb/strings.xml b/app/src/main/res/values-dsb/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-dsb/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-dv/google-playstore-strings.xml b/app/src/main/res/values-dv/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-dv/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-dv/strings.xml b/app/src/main/res/values-dv/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-dv/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-dz/google-playstore-strings.xml b/app/src/main/res/values-dz/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-dz/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-dz/strings.xml b/app/src/main/res/values-dz/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-dz/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-ee/google-playstore-strings.xml b/app/src/main/res/values-ee/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-ee/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-ee/strings.xml b/app/src/main/res/values-ee/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-ee/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-el/google-playstore-strings.xml b/app/src/main/res/values-el/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-el/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-el/strings.xml b/app/src/main/res/values-el/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-el/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-en/google-playstore-strings.xml b/app/src/main/res/values-en/google-playstore-strings.xml deleted file mode 100644 index f16c1cfc..00000000 --- a/app/src/main/res/values-en/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose tends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-en/strings.xml b/app/src/main/res/values-en/strings.xml deleted file mode 100644 index f0c000de..00000000 --- a/app/src/main/res/values-en/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use. - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-eo/google-playstore-strings.xml b/app/src/main/res/values-eo/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-eo/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-eo/strings.xml b/app/src/main/res/values-eo/strings.xml deleted file mode 100644 index 7e79c13b..00000000 --- a/app/src/main/res/values-eo/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Agordoj - Sendi rimarkon - Superrigardo - Historio - Konsiletoj - Saluton. - Saluton. - Kondiĉoj de uzado. - Mi legis kaj konsentas la kondiĉoj de uzado - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Lando - Aĝo - Please enter a valid age. - Sekso - Vira - Ina - Alia - Diabettipo - Tipo 1 - Tipo 2 - Preferata unuo - Share anonymous data for research. - You can change these in settings later. - SEKVA - KOMENCIĜI - No info available yet. \n Add your first reading here. - Aldoni sangoglukozonivelon - Koncentriteco - Dato - Tempo - Mezurita - Antaŭ matenmanĝo - Post matenmanĝo - Antaŭ tagmanĝo - Post tagmanĝo - Antaŭ vespermanĝo - Post vespermanĝo - Ĝenerala - Rekontroli - Nokto - Alia - NULIGI - ALDONI - Please enter a valid value. - Please fill all the fields. - Forigi - Redakti - 1 legado forigita - MALFARI - Lasta kontrolo: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - Pri - Versio - Kondiĉoj de uzado - Tipo - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Asistanto - ĜISDATIGI NUN - OK, GOT IT - Sendi rimarkon - ALDONI LEGADON - Ĝisdatigi vian pezon - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Krei kategoriojn - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Sendi rimarkon - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Aldoni legadon - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-es/google-playstore-strings.xml b/app/src/main/res/values-es/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-es/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-es/strings.xml b/app/src/main/res/values-es/strings.xml deleted file mode 100644 index e582d604..00000000 --- a/app/src/main/res/values-es/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Configuración - Enviar comentarios - Información general - Historial - Consejos - Hola. - Hola. - Términos de Uso. - He leído y acepto los términos de uso - El contenido de la página web de Glucosio y sus aplicaciones, tales como el texto, los gráficos, las imágenes y otros materiales (\"contenido\"), son sólo para los fines informativos. El contenido no intenta ser un sustituto de los consejos, diagnósticos o tratamientos de los médicos profesionales. Animamos a los usuarios de Glucosio a que siempre busquen el asesoramiento de un médico u otro proveedor de salud calificado con cualquier pregunta que puedan tener sobre una condición médica. Nunca ignore los consejos médicos profesionales o retrasa en buscar el consejo debido a algo que ha leído en la Página Web de Glucosio o en nuestras aplicaciones. La Página Web, el Blog, el Wiki y otro contenido accesible por el navegador web (los sitios web) de Glucosio, deben ser utilizados únicamente para el propósito descrito. \n Confianza en cualquier información proporcionada por Glucosio, miembros del equipo de Glucosio, voluntarios u otros que aparecen en el sitio web o en nuestras aplicaciones es exclusivamente bajo su propio riesgo. El Sitio y el Contenido se proporcionan sobre una base \"tal cual\". - Solo necesitamos un par de cosas antes comenzar. - País - Edad - Por favor ingresa una edad válida. - Sexo - Masculino - Femenino - Otro - Tipo de diabetes - Tipo 1 - Tipo 2 - Unidad preferida - Comparte los datos de manera anónima para la investigación. - Puedes cambiar la configuración más tarde. - SIGUIENTE - EMPEZAR - No hay información disponible todavía. \n Añadir tu primera lectura aquí. - Añade el nivel de glucosa en la sangre - Concentración - Fecha - Hora - Medido - Antes del desayuno - Después del desayuno - Antes de la comida - Después de la comida - Antes de la cena - Después de la cena - Ajustes generales - Vuelva a revisar - Noche - Información adicional - Cancelar - Añadir - Por favor, ingrese un valor válido. - Por favor, rellena todos los campos. - Eliminar - Editar - 1 lectura eliminada - Deshacer - Última revisión: - Tendencia en el último mes: - en el rango y saludable - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - Sobre la aplicación - Versión - Condiciones de uso - Tipo - Weight - Custom measurement category - - Comer más alimentos frescos y no transformados para ayudar a reducir el consumo de carbohidratos y azúcar. - Lea las etiquetas nutricionales en los alimentos envasados y las bebidas para controlar el consumo de azúcar y carbohidratos. - Cuando coma fuera, pida pescado o carne a la parilla sin mantequilla ni aceite agregado. - Cuando coma fuera, pregunte si se ofrecen platos bajos en sodio. - Cuando coma fuera, coma porciones del mismo tamaño que se acostumbra comer en casa y llévese las sobras consigo. - Cuando coma fuera, pida comidas bajas en calorías, como los aderezos para ensaladas, aun si no salen en el menú. - Cuando coma fuera, pida sustituciones. En lugar de papas fritas, pida una orden doble de una verdura como la ensalada, las judías verdes o el brócoli. - Cuando coma fuera, pida comidas que no sean apanadas ni fritas. - Cuando coma fuera de casa, pida salsas y aderezos \"al lado.\" - Sin azúcar no realmente significa sin azúcar. Significa 0,5 gramos (g) de azúcar por porción, así que tenga cuidado para no comer demasiados artículos sin azucar. - Moverse hacia un peso saludable ayuda a control azúcar en la sangre. Su médico, una nutricionista y un entrenador físico pueden ayudarle a empezar en un plan que funcione para usted. - La verificación del nivel de sangre y el seguimiento del nivel en una aplicación como Glucosio dos veces al día le ayudará a ser consciente de los resultados de las opciones de comida y estilo de vida. - Obtenga un análisis de sangre A1c para averiguar su nivel de azúcar promedio durante los últimos 2 a 3 meses. Su médico debe decirle con qué frecuencia esta prueba será necesaria hacer. - Seguimiento de la cantidad de carbohidratos que consume puede ser tan importante como comprobar los niveles de sangre ya que los carbohidratos influyen los niveles de glucosa. Hable con su médico o dietista sobre el consumo de carbohidratos. - Controlar la presión arterial, el colesterol y los niveles de triglicéridos es importante porque los diabéticos son susceptibles a la enfermedad cardíaca. - Existen varios enfoques dietéticos que usted puede tomar para comer más sano y mejorar los resultados de su diabetes. Busque consejos de un dietista sobre lo que funcionaría mejor para usted y su presupuesto. - Es especialmente importante para los con diabetes que se esfuercen por hacer ejercicio regularmente, lo que puede ayudarles a mantener un peso saludable. Hable con su doctor para ver cuales ejercicios son adecuados para usted. - La privación de sueño puede llevarse a comer más comida chatarra, y como resultado, puede impactar su salud negativamente. Asegúrese de dormir bien y consulte a un especialista del sueño si le dificulta dormir. - El estrés puede tener un impacto negativo en los con diabetes. Hable con su doctor u otro profesional de salud de cómo manejar el estrés. - El visitar su doctor una vez al año y tener una comunicación durante el año entero es importante para los diabéticos para prevenir cualquier comienzo repentino de problemas de salud asociados. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limite la cantidad de sal que usa para cocinar y para salar las comidas después de cocinarlas. - - Asistente - ACTUALIZAR AHORA - OK, LO CONSIGUIÓ - SUBMIT FEEDBACK - ADD READING - Actualizar su peso - Asegúrese de actualizar su peso para que Glucosio tenga la información más precisa. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Crear categorías - Glucosio tiene categorías predeterminadas para la entrada de glucosa, pero puede crear categorías personalizadas en la configuración para que coincida con sus necesidades particulares. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Asegúrese de añadir regularmente sus lecturas de glucosa para que podamos ayudarle a seguir sus niveles de glucosa a lo largo del tiempo. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-et/google-playstore-strings.xml b/app/src/main/res/values-et/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-et/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-et/strings.xml b/app/src/main/res/values-et/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-et/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-eu/google-playstore-strings.xml b/app/src/main/res/values-eu/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-eu/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-eu/strings.xml b/app/src/main/res/values-eu/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-eu/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-fa/google-playstore-strings.xml b/app/src/main/res/values-fa/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-fa/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-fa/strings.xml b/app/src/main/res/values-fa/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-fa/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-ff/google-playstore-strings.xml b/app/src/main/res/values-ff/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-ff/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-ff/strings.xml b/app/src/main/res/values-ff/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-ff/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-fi/google-playstore-strings.xml b/app/src/main/res/values-fi/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-fi/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-fi/strings.xml b/app/src/main/res/values-fi/strings.xml deleted file mode 100644 index 65ba0ab4..00000000 --- a/app/src/main/res/values-fi/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Asetukset - Anna palautetta - Yhteenveto - Historia - Vinkit - Hei. - Hei. - Käyttöehdot. - Olen lukenut ja hyväksyn käyttöehdot - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - Käydään läpi muutama asia ennen käytön aloittamista. - Maa - Ikä - Anna kelvollinen ikä. - Sukupuoli - Mies - Nainen - Muu - Diabetestyyppi - Tyyppi 1 - Tyyppi 2 - Yksikkö - Jaa tietoja nimettömästi tutkimustarkoituksiin. - Voit muuttaa näitä myöhemmin asetuksista. - SEURAAVA - ALOITA - Tietoa ei ole vielä saatavilla. \n Lisää ensimmäinen lukemasi tähän. - Lisää verensokeritaso - Pitoisuus - Päivä - Aika - Mitattu - Ennen aamiaista - Aamiaisen jälkeen - Ennen lounasta - Lounaan jälkeen - Ennen illallista - Illallisen jälkeen - General - Recheck - Night - Other - PERUUTA - LISÄÄ - Please enter a valid value. - Täytä kaikki kentät. - Poista - Muokkaa - 1 lukema poistettu - KUMOA - Viimeisin tarkistus: - Kehitys viime kuukauden aikana: - rajoissa ja terve - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - Tietoa - Versio - Käyttöehdot - Tyyppi - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - LISÄÄ LUKEMA - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Lisää lukema - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-fil/google-playstore-strings.xml b/app/src/main/res/values-fil/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-fil/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-fil/strings.xml b/app/src/main/res/values-fil/strings.xml deleted file mode 100644 index eaf5f29a..00000000 --- a/app/src/main/res/values-fil/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Mga Setting - Magpadala ng feedback - Overview - Kasaysayan - Mga Tip - Mabuhay. - Mabuhay. - Terms of Use. - Nabasa ko at tinatanggap ang Terms of Use - Ang mga nilalaman ng Glucosio website at apps, lahat ng mga teksto, larawan, imahen at iba pang materyal (\"Content\") ay inilathala para sa impormasyon lamang. Ang mga nasabing nilalaman at hindi maaring gamit sa pangpropesyunal na payong pangmedikal, pagsusuri o kagamutan. Lahat ng gumagamit ng Glucosio ay hinihikayat na magpasuri sa mga doktor o mga tagapayong pangkalusugan sa anumang katanungan hingil sa inyong sakit.\n Walang pananagutan ang Glucosio team, volunteers at mga nilalaman sa aming website sa paggamit ng aming produkto. - Kinakailangan namin ang ilang mga bagay bago tayo makapagsimula. - Bansa - Edad - Paki-enter ang tamang edad. - Kasarian - Lalaki - Babae - Iba - Uri ng diabetes - Type 1 - Type 2 - Nais na unit - Ibahagi ang anonymous data para sa pagsasaliksik. - Maaari mong palitan ang mga settings na ito mamaya. - SUSUNOD - MAGSIMULA - Walang impormasyon na nakatala. \n Magdagdag ng iyong unang reading dito. - Idagdag ang Blood Glucose Level - Konsentrasyon - Petsa - Oras - Sukat - Bago mag-agahan - Pagkatapos ng agahan - Bago magtanghalian - Pagkatapos ng tanghalian - Bago magdinner - Pagkatapos magdinner - Pangkabuuan - Suriin muli - Gabi - Iba pa - KANSELAHIN - IDAGDAG - Mag-enter ng tamang value. - Paki-punan ang lahat ng mga fields. - Burahin - I-edit - Binura ang 1 reading - I-UNDO - Huling pagsusuri: - Trend sa nakalipas na buwan: - nasa tamang sukat at ikaw ay malusog - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - Tungkol sa - Bersyon - Terms of use - Uri - Weight - Custom na kategorya para sa mga sukat - - Kumain ng mga sariwa at hindi processed na mga pagkain para makaiwas sa carbohydrate at asukal. - Basahing mabuti ang nutritional label sa mga packaged food at beverages para makontrol ang lebel ng asukal at carbohydrate sa kinakain. - Kung kakain sa labas, kumain ng isda o nilagang karne na walang mantikilya o mantika. - Kapag kumakain sa labas, kumuha ng mga low sodium na pagkain. - Kung kakain sa labas, siguraduhing ang dami ng iyong kakainin ay katulad lamang ng pagkain mo kung ikaw ay nasa bahay at huwag mag-uuwi ng mga tira. - Kung kakain sa labas, kumuha ng mga pagkaing mababa sa calorie, tulad ng salad dressings, kahit na ang mga ito ay wala sa menu. - Kung kakain sa labas, magtanong ng mga substitutions. Halimbawa, sa halip na kumain ng French Fries, kumuha ng dalawang order ng gulay tulad ng salad, green beans at repolyo. - Kung kakain sa labas, kumuha ng pagkaing hindi breaded or pinirito. - Kung kakain sa labas, humingi ng mga sauce, gravy at salad dressings bilang pang-ulam. - Hindi ibig sabihin na kapag ang isang bagay ay sugar free, wala na itong asukal. Ang ibig nitong sabihin ay mayroon lamang ito na 0.5 grams (g) ng asukal sa bawat serving, kaya mag-ingat at kumain lamang ng tamang pagkain na nagsasabing sila ay sugar free. - Ang pagkakaroon ng tamang timbang at nakatutulong sa pagkontrol ng blood sugar. Alamin ang tamang pamamaraan mula sa inyong doktor. - Ang pagsusuri ng iyong blood level at pagtatala nito sa app na katulad ng Glucosio dalawang beses sa isang araw ay makatutulong para magkaron ng mabuting pagpili sa mga kinakain at pamumuhay. - Magpakuha ng A1c blood test para malaman ang iyong blood sugar average sa nagdaang 2 hanggang 3 buwan. Sasabihin sa iyo ng iyong doktok kung gaano kadalas mo dapat ginawa ang ganitong pagsusuri. - Ang pagtatala kung ilang carbohydrates ang nasa iyong pagkain ay kasing halaga ng pagsusuri ng iyong blood levels, dahil ito ay nakaaapekto sa bawat isa. Kausapin ang iyong manggagamot para sa nararapat ng carbohydrate intake. - Ang pag-control ng iyong blood pressure, cholesterol at triglyceride levels ay mahalaga dahil ang mga diabetiko ay mas malaki ang tsansang magkasakit sa puso. - May iba\'t-ibang pamamaraan sa pagdidiyeta para makatulong na ikaw ay maging malusog at makontrol ang iyong diabetes. Kumunsulta sa isang dietician para malaman kung ano ang pinakamabuting pamamaraan ng pagdidiyeta na pasok sa iyong budget. - Ang palagiang pag-eehersisyo ay mahalaga sa mga diabetiko para mapanatili ang tamang timbang. Kumunsulta sa inyong doktor para malaman ang tamang ehersisyo sa iyo. - Kung kulang ka sa tulog, ito ay magiging sanhi para ikaw ay kumain nang mas marami at kumain ng mga junk foods na hindi maganda sa iyong kalusugan. Siguraduhing may sapat na oras ng tulog sa gabi. Sumangguni sa espesyalista kung kinakailangan. - May malaking epekto ang stress sa mga diabetiko. Kumunsulta sa inyong doktor para malaman kung paano malalabanan ang stress. - Ang pagbisita sa iyong doktor at palagiang kuminikasyon sa kaniya sa loob ng buong taon ay mahalaga para sa mga may diabetes para maiwasan ang paglubha ng iyong sakit. - Palagiang uminom ng gamot base sa payo ng inyong doktor. Ang pagliban sa pag-inom ng gamot ay may malaking epekto sa iyong blood glucose level. Kumunsulta sa inyong doktor para malaman ang pinakaepektibong pamamaraan na hindi mo malilimutang uminom ng gamot sa oras. - - - May epekto ang edad ng isang diabetiko. Kumunsulta sa inyong doktor para malaman kung anu-ano ang dapat gawin ng isang diabetikong may edad na. - Siguraduhing kakaunti lamang ang asin sa pagkaing niluluto o ang paggamit nito habang kumakain. - - Assistant - I-UPDATE NGAYON - OK - I-SUBMIT ANG FEEDBACK - MAGDAGDAG NG READING - I-update ang iyong timbang - Siguraduhing tama ang iyong timbang para makapagbigay ng mas angkop na impormasyon ang Glucosio. - I-update ang iyong research opt-in - Maaari kang hindi mapabilang sa aming diabetes research sharing kung iyong nanaisin. Lahat ng impormasyon na aming nilalagap ay anonymous at hinding-hindi namin ito ipamimigay kanino man. - Gumawa ng mga kategorya - Ang Glucosio ay mga kategoryang kalakip para sa glucose input, ngunit maaari kang gumawa ng sarili mong kategorya kung nanaisin. - Pumunta dito ng madalas - Nagbibigay ang Glucosio assistant ng mga payo kung paano gaganda ang iyong kalusugan at kung paano mo makukuha ang benepisyo ng paggamit ng Glucosio. - I-submit ang feedback - Kung may mga katanungang pangteknikal or may mga puna at suhesyon para sa Glucosio, pumunta sa settings menu. - Magdagdag ng reading - Siguraduhing palaging magdagdag ng iyong glucose readings para ikaw matulungan naming i-track ang iyong glucose levels. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-fj/google-playstore-strings.xml b/app/src/main/res/values-fj/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-fj/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-fj/strings.xml b/app/src/main/res/values-fj/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-fj/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-fo/google-playstore-strings.xml b/app/src/main/res/values-fo/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-fo/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-fo/strings.xml b/app/src/main/res/values-fo/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-fo/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-fr/google-playstore-strings.xml b/app/src/main/res/values-fr/google-playstore-strings.xml deleted file mode 100644 index 74003943..00000000 --- a/app/src/main/res/values-fr/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - En utilisant Glucosio, vous pouvez entrer et suivre la glycémie, anonymement soutenir recherche sur le diabète en contribuant des tendances démographiques et rendues anonymes du glucose et obtenir des conseils utiles par le biais de notre assistant. Glucosio respecte votre vie privée et vous êtes toujours en contrôle de vos données. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Veuillez déposer les bogues, problèmes ou demandes de fonctionnalité à : - https://github.com/glucosio/android - En savoir plus: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-fr/strings.xml b/app/src/main/res/values-fr/strings.xml deleted file mode 100644 index a49a17ec..00000000 --- a/app/src/main/res/values-fr/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Réglages - Envoyez vos commentaires - Aperçu - Historique - Astuces - Bonjour. - Bonjour. - Conditions d\'utilisation. - J\'ai lu et accepté les conditions d\'utilisation - Le contenu du site Web Glucosio et applications, tels que textes, graphiques, images et autre matériel (\"contenu\") est à titre informatif seulement. Le contenu ne vise pas à se substituer à un avis médical professionnel, diagnostic ou traitement. Nous encourageons les utilisateurs de Glucosio de toujours demander l\'avis de votre médecin ou un autre fournisseur de santé qualifié pour toute question que vous pourriez avoir concernant un trouble médical. Ne jamais ignorer un avis médical professionnel ou tarder à le chercher parce que vous avez lu sur le site Glucosio ou dans nos applications. Le site Glucosio, Blog, Wiki et autres contenus accessibles du navigateur web (« site Web ») devraient être utilisés qu\'aux fins décrites ci-dessus. \n Reliance sur tout renseignement fourni par Glucosio, membres de l\'équipe Glucosio, bénévoles et autres apparaissant sur le site ou dans nos applications est exclusivement à vos propres risques. Le Site et son contenu sont fournis sur une base \"tel quel\". - Avant de démarrer, nous avons besoin de quelques renseignements. - Pays - Âge - Veuillez saisir un âge valide. - Sexe - Homme - Femme - Autre - Type de diabète - Type 1 - Type 2 - Unité préférée - Partager des données anonymes pour la recherche. - Vous pouvez modifier ces réglages plus tard. - SUIVANT - COMMENCER - Aucune info disponible encore. \n ajouter votre première lecture ici. - Saisir le niveau de glycémie - Concentration - Date - Heure - Mesuré - Avant le petit-déjeuner - Après le petit-déjeuner - Avant le déjeuner - Après le déjeuner - Avant le dîner - Après le dîner - Général - Revérifier - Nuit - Autre - ANNULER - AJOUTER - Merci d\'entrer une valeur valide. - Veuillez saisir tous les champs. - Supprimer - Éditer - 1 enregistrement supprimé - Annuler - Dernière vérification\u00A0: - Tendance sur le dernier mois\u00A0: - dans l\'intervalle normal - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - A propos - Version - Conditions d\'utilisation - Type - Poids - Catégorie de mesure personnalisée - - Mangez plus d\'aliments frais et non transformés pour faciliter la réduction des apports en glucide et en sucre. - Lisez les informations nutritionnelles présentes sur les emballages des aliments et boissons pour contrôler vos apports en sucre et glucides. - Lors d\'un repas à l\'extérieur, demandez du poisson ou de la viande grillée, sans matières grasses supplémentaires. - Lors d\'un repas à l\'extérieur, demandez si certains plats ont une faible teneur en sel. - Lors d\'un repas à l\'extérieur, mangez la même quantité que ce vous avez l\'habitude de consommer et décidez d\'emporter les restes ou non. - Lors d\'un repas à l\'extérieur, demandez des accompagnements à faible teneur en calories, même si ceux-ci ne sont pas sur le menu. - Lors d\'un repas à l\'extérieur, n\'hésitez pas à demander à échanger des ingrédients. À la place des frites, demandez plutôt une double ration de salade, de haricots ou de brocolis. - Lors d\'un repas à l\'extérieur, commandez des aliments qui ne soient pas fris ou panés. - Lors d\'un repas à l\'extérieur, demandez à ce que les sauces et vinaigrettes soit servies « à côté ». - « Sans sucre » ne signifie pas exactement sans sucre. Cela peut indiquer qu\'il y a 0,5 grammes (g) de sucre par portion. Attention à ne pas consommer trop d\'aliments « sans sucre ». - En vous orientant vers un bon poids pour votre santé aide le contrôle de la glycémie. Votre médecin, un diététicien et un entraîneur peuvent vous aider à démarrer sur un plan qui fonctionnera pour vous. - La vérification de votre niveau de sang et son suivi dans une application comme Glucosio deux fois par jour vous aidera à être au courant des résultats des choix alimentaires et de mode de vie. - Obtenez des tests sanguins A1c pour trouver votre glycémie moyenne pour les 2 à 3 derniers mois. Votre médecin vous donnera la fréquence de l\'effectuation de ces tests. - Surveiller combien de glucides vous consommez peut être aussi important que de surveiller votre niveau de sang, puisque les glucides influent sur le taux de glucose dans le sang. Parlez à votre médecin ou votre diététicien de l\'apport en glucides. - Le contrôle de la pression artérielle, le cholestérol et le taux de triglycérides est important car les diabétiques sont sensibles à des risques cardiaques. - Il y a plusieurs approches de régime alimentaire, que vous pouvez adopter pour manger sainement et en aidant à améliorer les résultats de votre diabète. Demandez conseil à votre diététicien sur ce qui fonctionnera le mieux pour vous et votre budget. - Faire de l\'exercice régulièrement est encore plus important chez les diabétiques et vous aidera à garder un poids sain. Parlez à votre médecin des exercices qui seraient les plus adaptés pour vous. - La privation de sommeil peut vous pousser à manger plus, et plus particulièrement des cochonneries, et peut donc impacter négativement sur votre santé. Assurez-vous d\'avoir une bonne nuit réparatrice et consultez un spécialiste du sommeil si vous éprouvez des difficultés. - Le stress peut avoir un impact négatif sur le diabète, discutez avec votre médecin ou avec d\'autres professionnels de santé pour savoir comment gérer le stress. - Afin de prévenir tout apparition soudaine de problème de santé, quand on est diabétique, il est important de prendre rendez-vous avec son médecin, au moins une fois par an, et d\'échanger avec tout au long de l\'année. - Prenez vos médicaments tels qu\'ils vous ont été prescrits, même les légers écarts peuvent impacter votre glycémie et provoquer d\'autres effets secondaires. Si vous avez des difficultés à mémoriser le rythme et les doses, n\'hésitez pas à demander à votre médecin des outils pour vous aider à créer des rappels. - - - Les personnes diabétiques plus âgées ont un risque plus élevé d\'avoir des problèmes de santé liés au diabète. Discutez avec votre médecin pour connaître le rôle de votre âge dans votre diabète et savoir ce qu\'il faut surveiller. - Limitez la quantité de sel utilisée pour cuisiner et celle ajoutée aux plats après la cuisson. - - Assistant - METTRE A JOUR - OK, COMPRIS - SOUMETTRE UN RETOUR - AJOUTER LECTURE - Mise à jour de votre poids - Assurez-vous de mettre à jour votre poids afin Glucosio contient les informations les plus exactes. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Créer des catégories - Glucosio comprend des catégories par défaut pour l\'entrée de glucose mais vous pouvez créer des catégories personnalisées dans paramètres pour assortir vos besoins uniques. - Vérifiez souvent - Glucosio assistant fournit des conseils réguliers et va continuer à améliorer, il faut donc toujours vérifier ici pour des actions utiles, que vous pouvez prendre pour améliorer votre expérience de Glucosio et pour d\'autres conseils utiles. - Envoyer un commentaire - Si vous trouvez des problèmes techniques ou avez des commentaires sur Glucosio nous vous encourageons à nous les transmettre dans le menu réglages afin de nous aider à améliorer Glucosio. - Ajouter une lecture - N\'oubliez pas d\'ajouter régulièrement vos lectures de glucose, donc nous pouvons vous aider à suivre votre taux de glucose dans le temps. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Gamme préférée - Gamme personnalisée - Valeur minimum - Valeur maximum - TRY IT NOW - diff --git a/app/src/main/res/values-fra/google-playstore-strings.xml b/app/src/main/res/values-fra/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-fra/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-fra/strings.xml b/app/src/main/res/values-fra/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-fra/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-frp/google-playstore-strings.xml b/app/src/main/res/values-frp/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-frp/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-frp/strings.xml b/app/src/main/res/values-frp/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-frp/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-fur/google-playstore-strings.xml b/app/src/main/res/values-fur/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-fur/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-fur/strings.xml b/app/src/main/res/values-fur/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-fur/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-fy/google-playstore-strings.xml b/app/src/main/res/values-fy/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-fy/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-fy/strings.xml b/app/src/main/res/values-fy/strings.xml deleted file mode 100644 index c32fef96..00000000 --- a/app/src/main/res/values-fy/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Ynstellingen - Weromkeppeling ferstjoere - Oersjoch - Skiednis - Tips - Hallo. - Hallo. - Brûksbetingsten. - Ik ha de brûksbetingsten lêzen en akseptearre - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Lân - Aldens - Please enter a valid age. - Geslacht - Man - Frou - Oar - Diabetestype - Type 1 - Type 2 - Foarkarsienheid - Share anonymous data for research. - You can change these in settings later. - FOLGJENDE - OAN DE SLACH - No info available yet. \n Add your first reading here. - Bloedsûkerspegel tafoegje - Konsintraasje - Datum - Tiid - Metten - Foar it moarnsiten - Nei it moarnsiten - Foar it middeisiten - Nei it middeisiten - Foar it jûnsiten - Nei it jûnsiten - Algemien - Opnij kontrolearje - Nacht - Oar - ANNULEARJE - TAFOEGJE - Please enter a valid value. - Please fill all the fields. - Fuortsmite - Bewurkje - 1 útlêzing fuortsmiten - ÛNGEDIEN MEITSJE - Lêste kontrôle: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - Oer - Ferzje - Brûksbetingsten - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistint - NO BYWURKJE - OK, GOT IT - WEROMKEPPELING FERSTJOERE - ÚTLÊZING TAFOEGJE - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Kategoryen meitsje - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Sjoch hjir regelmjittich - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Weromkeppeling ferstjoere - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - In útlêzing tafoegje - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-ga/google-playstore-strings.xml b/app/src/main/res/values-ga/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-ga/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-ga/strings.xml b/app/src/main/res/values-ga/strings.xml deleted file mode 100644 index 909f8424..00000000 --- a/app/src/main/res/values-ga/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Socruithe - Aiseolas - Foramharc - Stair - Leideanna - Dia dhuit. - Dia dhuit. - Téarmaí Úsáide. - Léigh mé na Téarmaí Úsáide agus glacaim leo - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - Cúpla rud beag sula dtosóimid. - Tír - Aois - Cuir aois bhailí isteach. - Inscne - Fireannach - Baineannach - Eile - Cineál diaibéitis - Cineál 1 - Cineál 2 - Do rogha aonaid - Comhroinn sonraí gan ainm le haghaidh taighde. - Is féidir leat iad seo a athrú ar ball sna socruithe. - AR AGHAIDH - TÚS MAITH - Níl aon eolas ar fáil fós. \n Cuir do chéad tomhas anseo. - Tomhais Leibhéal Glúcós Fola - Tiúchan - Dáta - Am - Tomhaiste - Roimh bhricfeasta - Tar éis bricfeasta - Roimh lón - Tar éis lóin - Roimh shuipéar - Tar éis suipéir - Ginearálta - Seiceáil arís - Oíche - Eile - CEALAIGH - OK - Cuir luach bailí isteach. - Líon isteach na réimsí go léir. - Scrios - Eagar - Scriosadh tomhas amháin - CEALAIGH - Tomhas is déanaí: - Treocht le linn na míosa seo caite: - sa raon sláintiúil - - - Seachtain - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - Maidir Leis - Leagan - Téarmaí Úsáide - Cineál - Meáchan - Catagóir saincheaptha - - Ith tuilleadh bia úr neamhphróiseáilte chun ionghabháil carbaihiodráití agus siúcra a laghdú. - Léigh an fhaisnéis bheathaithe ar bhia agus deochanna pacáistithe chun ionghabháil carbaihiodráití agus siúcra a rialú. - I mbialann, ordaigh iasc nó feoil ghríosctha gan im nó ola bhreise. - I mbialann, fiafraigh an bhfuil béilí beagshóidiam acu. - I mbialann, ith an méid céanna bia a d\'íosfá sa mbaile agus tabhair an fuílleach abhaile. - I mbialann, iarr rudaí beagchalraí, mar shampla anlanna sailéid, fiú mura bhfuil siad ar an mbiachlár. - I mbialann, iarr bia sláintiúil in ionad bia mhíshláintiúil, mar shampla glasraí (sailéad, pónairí glasa, nó brocailí) in ionad sceallóga. - I mbialann, seachain bia aránaithe nó friochta. - I mbialann, ordaigh anlann, súlach, nó blastán \"ar an taobh\". - Ní chiallaíonn \"gan siúcra\" nach bhfuil siúcra ann i gcónaí! Ciallaíonn sé níos lú ná 0.5 gram siúcra sa riar, mar sin níor chóir duit an iomarca rudaí \"gan siúcra\" a ithe. - Cabhraíonn meáchan sláintiúil leat siúcraí fola a rialú. Téigh i gcomhairle le do dhochtúir, le bia-eolaí, agus le traenálaí chun plean cailliúna meáchan a leagan amach. - Foghlaim faoin tionchar a imríonn bia agus stíl mhaireachtála ar do shláinte trí do leibhéal glúcós fola a thomhas faoi dhó sa lá i nGlucosio nó in aip eile dá leithéid. - Déan tástáil fola chun teacht ar do mheánleibhéal siúcra fola le 2 nó 3 mhí anuas. Inseoidh do dhochtúir duit cé chomh minic is a bheidh ort an tástáil fola seo a dhéanamh. - Tá sé an-tábhachtach d\'ionghabháil carbaihiodráití a thaifeadadh, chomh tábhachtach le leibhéal glúcós fola, toisc go n-imríonn carbaihiodráití tionchar ar ghlúcós fola. Bíodh comhrá agat le do dhochtúir nó le bia-eolaí maidir le hionghabháil carbaihiodráití. - Tá sé tábhachtach do bhrú fola, leibhéal colaistéaróil agus leibhéil tríghlicríde a srianadh, toisc go bhfuil daoine diaibéiteacha tugtha do ghalar croí. - Tá roinnt réimeanna bia ann a chabhródh leat bia níos sláintiúla a ithe agus dea-thorthaí sláinte a bhaint amach. Téigh i gcomhairle le bia-eolaí chun teacht ar an réiteach is fearr ó thaobh sláinte agus airgid. - Tá sé ríthábhachtach do dhaoine diaibéiteacha aclaíocht rialta a dhéanamh, agus cabhraíonn sé leat meáchan sláintiúil a choinneáil. Bíodh comhrá agat le do dhochtúir faoi réim aclaíochta fheiliúnach. - Nuair a bhíonn easpa codlata ort, itheann tú níos mó, go háirithe mearbhia agus bia beagmhaitheasa, rud a chuireann isteach ar do shláinte. Déan iarracht go leor codlata a fháil, agus téigh i gcomhairle le saineolaí codlata mura bhfuil tú in ann. - Imríonn strus drochthionchar ar dhaoine diaibéiteacha. Bíodh comhrá agat le do dhochtúir nó le gairmí cúram sláinte faoi conas is féidir déileáil le strus. - Tá sé an-tábhachtach cuairt a thabhairt ar do dhochtúir uair amháin sa mbliain agus cumarsáid rialta a dhéanamh leis/léi tríd an mbliain sa chaoi nach mbuailfidh fadhbanna sláinte ort go tobann. - Tóg do chógas leighis go díreach mar a bhí sé leagtha amach ag do dhochtúir. Má ligeann tú do chógas i ndearmad, fiú uair amháin, b\'fhéidir go n-imreodh sé drochthionchar ar do leibhéal glúcós fola. Mura bhfuil tú in ann do chóir leighis a mheabhrú, cuir ceist ar do dhochtúir faoi chóras bainistíochta cógais. - - - Seans go bhfuil baol níos mó ag baint le diaibéiteas i measc daoine níos sine. Bíodh comhrá agat le do dhochtúir faoin tionchar ag aois ar do dhiaibéiteas agus na comharthaí sóirt is tábhachtaí. - Cuir srian leis an méid salainn a úsáideann tú ar bhia le linn cócarála agus tar éis duit é a chócaráil. - - Cúntóir - NUASHONRAIGH ANOIS - TUIGIM - SEOL AISEOLAS - TOMHAS NUA - Nuashonraigh do mheáchan - Ba chóir duit do mheáchan a choinneáil cothrom le dáta sa chaoi go mbeidh an t-eolas is fearr ag Glucosio. - Athraigh an socrú a bhaineann le taighde - Is féidir leat do chuid sonraí a chomhroinnt le taighdeoirí atá ag obair ar dhiaibéiteas, go hiomlán gan ainm, nó comhroinnt a stopadh am ar bith. Ní chomhroinnimid ach faisnéis dhéimeagrafach agus treochtaí leibhéil glúcóis. - Cruthaigh catagóirí - Tagann Glucosio le catagóirí réamhshocraithe le haghaidh ionchurtha glúcóis, ach is féidir leat catagóirí de do chuid féin a chruthú sna socruithe. - Féach anseo go minic - Tugann Cúntóir Glucosio leideanna duit go rialta, agus rachaidh sé i bhfeabhas de réir a chéile. Mar sin, ba chóir duit filleadh anseo anois is arís le gníomhartha agus leideanna úsáideacha a fháil. - Seol aiseolas - Má fheiceann tú aon fhadhb theicniúil, nó más mian leat aiseolas faoi Glucosio a thabhairt dúinn, is féidir é sin a dhéanamh sa roghchlár Socruithe, chun cabhrú linn Glucosio a fheabhsú. - Tomhas nua - Ba chóir duit do leibhéal glúcos fola a thástáil go rialta sa chaoi go mbeidh tú in ann an leibhéal a leanúint thar thréimhse ama. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Raon inmhianaithe - Raon saincheaptha - Íosluach - Uasluach - BAIN TRIAIL AS - diff --git a/app/src/main/res/values-gaa/google-playstore-strings.xml b/app/src/main/res/values-gaa/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-gaa/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-gaa/strings.xml b/app/src/main/res/values-gaa/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-gaa/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-gd/google-playstore-strings.xml b/app/src/main/res/values-gd/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-gd/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-gd/strings.xml b/app/src/main/res/values-gd/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-gd/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-gl/google-playstore-strings.xml b/app/src/main/res/values-gl/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-gl/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-gl/strings.xml b/app/src/main/res/values-gl/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-gl/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-gn/google-playstore-strings.xml b/app/src/main/res/values-gn/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-gn/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-gn/strings.xml b/app/src/main/res/values-gn/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-gn/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-gu/google-playstore-strings.xml b/app/src/main/res/values-gu/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-gu/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-gu/strings.xml b/app/src/main/res/values-gu/strings.xml deleted file mode 100644 index e0b74af4..00000000 --- a/app/src/main/res/values-gu/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - સેટીંગ્સ - પ્રતિસાદ મોકલો - ઓવરવ્યૂ - ઇતિહાસ - સુજાવ - હેલ્લો. - હેલ્લો. - વપરાશ ની શરતો. - હું વપરાશની શરતો વાંચીને સ્વીકાર કરું છુ - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - દેશ - ઉંમર - કૃપા કરી સાચી ઉમર નાખો. - જાતિ - પુરૂષ - સ્ત્રી - અન્ય - મધુપ્રમેહનો પ્રકાર - પ્રકાર 1 - પ્રકાર 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - કૃપા કરી સાચી માહિતી ભરો. - કૃપા કરી બધી વિગતો ભરો. - રદ કરવું - ફેરફાર કરો - 1 વાંચેલું કાઢ્યું - પહેલા હતી એવી સ્થિતિ - છેલ્લી ચકાસણી: - ગયા મહિના નું સરવૈયું: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - હમમ, સમજાઈ ગયું - પ્રતિક્રિયા મોકલો - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - પ્રતિક્રિયા મોકલો - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-gv/google-playstore-strings.xml b/app/src/main/res/values-gv/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-gv/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-gv/strings.xml b/app/src/main/res/values-gv/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-gv/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-ha/google-playstore-strings.xml b/app/src/main/res/values-ha/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-ha/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-ha/strings.xml b/app/src/main/res/values-ha/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-ha/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-haw/google-playstore-strings.xml b/app/src/main/res/values-haw/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-haw/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-haw/strings.xml b/app/src/main/res/values-haw/strings.xml deleted file mode 100644 index 7fa326e3..00000000 --- a/app/src/main/res/values-haw/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Kauna - Hoʻouna i ka manaʻo - Nānā wiki - Mōʻaukala - ʻŌlelo hoʻohani - Aloha mai. - Aloha mai. - Nā Kuleana hana. - Ua heluhelu a ʻae au i nā Kuleana hana - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - Makemake mākou i mau mea iki ma mua o ka hoʻomaka ʻana. - ʻĀina - Makahiki - E kikokiko i ka makahiki kūpono ke ʻoluʻolu. - Keka - Kāne - Wahine - Nā Mea ʻē aʻe - Ke ʻAno Mimi kō - Ke ʻAno 1 - Ke ʻAno 2 - Ke Ana makemake - Share anonymous data for research. - Hiki iā ʻoe ke hoʻololi i kēia makemake ma hope aku. - Holomua - HOʻOMAKA ʻANA - ʻAʻohe ʻike ma ʻaneʻi i kēia manawa. \n Hoʻohui i kāu heluhelu mua ma ʻaneʻi. - Hoʻohui i ke Ana Monakō Koko - Ke Ana paʻapūhia - - Hola - Wā i ana ʻia - Ma mua o ka ʻaina kakahiaka - Ma hope o ka ʻaina kakahiaka - Ma mua o ka ʻaina awakea - Ma hope o ka ʻaina awakea - Ma mua o ka ʻaina ahiahi - Ma hope o ka ʻaina ahiahi - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Holoi - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Mana - Nā Kuleana hana - Ke ʻAno - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Haku i nā māhele - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - E hoʻi pinepine - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Hoʻouna i ka manaʻo - Inā loaʻa i ka pilikia ʻoe a i ʻole loaʻa iā ʻoe ka manaʻo no Glucosio, hoʻopaipai mākou i ka waiho ʻana o ia mea āu i ka papa kauna i hiki mākou ke holomua iā Glucosio. - Hoʻohui i ka heluhelu - E hoʻohui pinepine i kou mau heluhelu monakō i hiki mākou ke kōkua i ka nānā ʻana o kou ana monakō ma o ka manawa holomua. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-he/google-playstore-strings.xml b/app/src/main/res/values-he/google-playstore-strings.xml deleted file mode 100644 index 1ed08674..00000000 --- a/app/src/main/res/values-he/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio הוא יישום בקוד פתוח עבור אנשים עם סוכרת - בזמן השימוש ב Glucosio אתם יכולים לעקוב אחר רמות הסוכר בדם, לתמוך במחקר הסוכרת באופן יעיל באמצעות שיתוף מידע אנונימי. Glucosio מכבדת את הפרטיות שלך ושומרת על פרטי המידע שלך. - Glucosio נבנה לשימוש היוצר עם אפרויות ועיצוב מותאמים אישית. אנחנו פתוחים ומשוב וחוות דעת לשיפור. - * קוד פתוח. אפליקציות Glucosio נותנת לכם את החופש להשתמש, להעתיק, ללמוד, ולשנות את קוד המקור של כל האפליקציות שלנו, וגם לתרום לפרויקט Glucosio. - * ניהול נתונים. Glucosio מאפשר לכם לעקוב אחר נתוני הסוכרת בממשק אינטואיטיבי, מודרני אשר נבנה על בסיס משוב של חולי סוכרת. - * תומך מחקר. Glucosio apps מאפשר למשתמשים להצטרף ולשתף נתונים אנונימיים ומידע דמוגרפי עם חוקרי סוכרת. - אנא דווחו על באגים ו\או הצעות לאפשרויות חדשות ולשיפורים ב: - https://github.com/glucosio/android - פרטים נוספים: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-he/strings.xml b/app/src/main/res/values-he/strings.xml deleted file mode 100644 index 98748e9e..00000000 --- a/app/src/main/res/values-he/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - הגדרות - שלח משוב - מבט על - היסטוריה - הצעות - שלום. - שלום. - תנאי שימוש - קראתי ואני מסכים לתנאי השימוש - התכנים של אתר Glucosio, יישומים, כגון טקסט, גרפיקה, תמונות, חומר אחר (\"תוכן\") הן למטרות שיתוף מידע \ אינפורמציה בלבד. התוכן לא נועד לשמש כתחליף לייעוץ רפואי, אבחון או טיפול מוסמך. אנו ממליצים למשתמשי Glucosio תמיד להתייעץ עם הרופא שלך או ספק שירותי בריאות מוסמכים אחרים על כל שאלה לגבי מצבך רפואי. לעולם אל תמנע או תתעכב במציאת ייעוץ רפואי מוסמך בגלל משהו שקראת באתר Glucosio או ביישומים שלנו. אתר האינטרנט Glucosio, הבלוג, הויקי וכל תוכן אחר באתר האינטרנט (\"האתר\") אמור לשמש רק לצרכים המתוארים לעיל. \n הסתמכות על כל מידע המסופק על ידי Glucosio, חברי צוות האתר, או מתנדבים אחרים המופיעים באתר או ביישומים שלנו הוא באחריות המשתמש בלבד. האתר והתוכן הינם מסופקים על בסיס כהוא וללא אחריות. - אנא מלא את הפרטים הבאים בשביל להתחיל. - מדינה - גיל - אנא הזן גיל תקין. - מין - זכר - נקבה - אחר - סוג סוכרת - סוכרת סוג 1 - סוכרת סוג 2 - יחידת מדידה מעודפת - שתף מידע אנונימי למחקר. - תוכלו לשנות את ההגדרות האלו מאוחר יותר. - הבא - התחל - אין מידע זמין כעט.\n הוסף את קריאת המדדים הראשונה שלך כאן. - הוסף רמת סוכר הדם - ריכוז - תאריך - שעה - זמן מדידה - לפני ארוחת בוקר - לאחר ארוחת הבוקר - לפני ארוחת הצהריים - לאחר ארוחת הצהריים - לפני ארוחת הערב - לאחר ארוחת הערב - כללי - בדוק מחדש - לילה - אחר - ביטול - להוסיף - אנא הזינו ערך תקין. - אנא מלאו את כל השדות. - למחוק - ערוך - מדידה אחת נמחקה - בטל - בדיקה אחרונה: - המגמה בחודש האחרון: - בטווח ובריא - חודש - יום - שבוע - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - אודות - גרסה - תנאי שימוש - סוג - משקל - קטגורית מדידה מותאמת אישית - - אכול יותר מזון טרי ולא מעובד כדי לצמצם את צריכת הפחמימות והסוכר. - קרא את התוויות תזונתיות על מזונות ארוזים ומשקאות בכדי לשלוט בצריכת הפחמימות והסוכר. - כאשר אתם אוכלים בחוץ, בקשו דג או בשר צלוי ללא תוספת חמאה או שמן. - כאשר אוכלים בחוץ, תשאלו אם יש להם מנות עם מעט אן בלי נתרן. - כאשר אוכלים בחוץ, איכלו את אותו גודל המנות שתאכלו בבית, וקחו את השאריות ללכת. - כאשר אוכלים בחוץ בקשו מזונות מעוטי קלוריות, כגון רטבים לסלט, אפילו אם הם לא בתפריט. - כאשר אוכלים בחוץ בקשו החלפות. במקום צ\'יפס, בקשו כמות כפולה של ירק כמו סלט, שעועית ירוקה או ברוקולי. - כאשר אתם אוכלים בחוץ, הזמינו מזונות ללא ציפוי לחם או טיגון. - כאשר אתם אוכלים בחוץ בקשו רטבים, ורטבים לסלט \"בצד.\" - \"ללא סוכר\" לא באמת אומר ללא סוכר. בד\"כ זה אומר 0.5 גרם סוכר למנה, היזהרו לא לאכל יותר מדי פריטים \"ללא סוכר\". - הגעה אל משקל תקין מסייעת בשליטה על רמת הסוכרים בדם. הרופא שלך, דיאטן, ומאמן כושר יעזרו לך בלבנות תוכנית אישית לירידה ושמירה על משקל תקין. - בדיקת רמת סוכר הדם ומעקב תכוף באפליקציה כמו Glucosio פעמיים ביום, יעזור לך להיות מודע לגבי התוצאות של בחירות במזון ואורח בחיים שלך. - בצעו בדיקת דם A1c כדי לגלות את רמת הסוכר הממוצעת שלכם ל 2-3 חודשים האחרונים. הרופא שלכם יוכל לוודא באיזו תדירות יש צורך שתבצעו את הבדיקה הזו. - מעקב אחר צריכת הפחמימות שלכם יכולה להיות לא פחות חשובה מבדיקת רמות סוכר הדם שלכם, מאחר ופחמימות משפיעות על רמות הסוכר בדם. דברו עם הרופא שלכם או דיאטנית לגבי צריכת הפחמימות. - שליטה בלחץ הדם, הכולסטרול, ורמת הטריגליצרידים חשוב מכיוון שסוכרתיים נמצאים בסיכון גבוה יותר למחלות לב. - ישנן מספר גישות דיאטה שניתן לנקוט כדי לאכול בריא יותר ולסייע לשפר את מצב הסוכרת שלכם. התייעצו עם רופא או דיאטנית על הגישות המתאימות לכם ולתקציב שלכם. - פעילות גופנית סדירה חשובה במיוחד בשביל סוכרתיים ותורמת לשמירה על משקל תקין. התייעצו עם רופא על תרגילים ותוכניות אימון שיתאימו לכם. - מחסור בשינה עלול לגרום לרעב מוגבר ואכילת יתר ובמיוחד \"ג\'אנק-פוד\". מצב שעלול להשפיע לרעה על בריאותכם. הקפידו על שנת לילה טובה ופנו להתייעצות עם רופא או מומחה שינה אם אתם חווים קשיים בשינה. - לחץ יכול להוות השפעה שלילית על הסוכרת. התייעצו עם רופא או מומחה לגבי התמודדות עם לחצים. - ביקור שנתי וששימור תקשורת קבועה עם הרופא שלכם זה כלי חשוב למניעת התפרצויות פתאומיות ומניעת בעיות בריאותיות נלוות. - קחו את התרופות כנדרש על ידי הרופא. אפילו מעידות קטנות עלולות להשפיע על רמת הסוכר בדם וגרימת תופעות נלוות. אם אתם חווים קשיים לזכור לקחת את התרופות שלכם, התייעצו עם רופא לגבי ניהול לו\"ז תרופות ותזכורות. - - - חולי סוכרת מבוגרים עלולים להיות בסיכון גבוה יותר לבעיות בריאות הקשורים בסוכרת. התייעצו עם רופא על איך בגילכם ממלאת תפקיד הסכרת שלכם ולמה עליכם לצפות. - הגבל את כמות המלח בבישול ובארוחה. - - מסייע - עדכון - אוקיי - שלח משוב - הוסף מדידה - עדכן את משקלך - הקפד לעדכן את המשקל שלך כך שב-Glucosio יהיה את המידע המדויק ביותר. - עדכון שיתוף מידע למחקר (opt-in) - אתם יכוליםלהסכים להצטרף (opt-in) או לבטל (opt-out) שיתוף מידע למחקר, אבל זיכרו, כל הנתונים המשותפים הוא אנונימיים לחלוטין. אנחנו רק חולקים מידע דמוגרפי ואת רמת ומגמת הגלוקוז. - צור קטגוריות - Glucosio מגיע עם קטגוריות ברירת המחדל עבור קלט רמת הגלוקוז, אך באפשרותך ליצור קטגוריות מותאמות אישית הגדרות כדי להתאים לצרכים הייחודיים שלך. - בדוק כאן לעיתים קרובות - העוזר ב-Glucosio מספק עצות קבועות לשמור על שיפור, בידקו בתכיפות לגבי שימושי פעולות שבאפשרותך לבצע כדי לשפר את החוויה Glucosio שלך, טיפים שימושיים נוספים. - שלח משוב - אם אתם מוצאים כל בעיות טכניות או לקבל משוב אודות Glucosio אנו מעודדים אותך להגיש את זה בתפריט \' הגדרות \' כדי לסייע לנו לשפר את Glucosio. - הוסף מדידה - הקפד להוסיף באופן קבוע את מדידות רמת הסוכר בדם שלך כדי שנוכל לעזור לך לעקוב אחר רמות הסוכר שלך לאורך זמן. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - טווח מועדף - טווח מותאם אישית - ערך מינימום - ערך מקסימום - נסה זאת עכשיו - diff --git a/app/src/main/res/values-hi/google-playstore-strings.xml b/app/src/main/res/values-hi/google-playstore-strings.xml deleted file mode 100644 index 45ee4ed6..00000000 --- a/app/src/main/res/values-hi/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - शर्करा - शर्करा मधुमेह के साथ लोगों के लिए एक उपयोगकर्ता केंद्रित स्वतंत्र और खुला स्रोत अनुप्रयोग है - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - पर किसी भी कीड़े, मुद्दों, या सुविधा का अनुरोध दायर करें: - https://github.com/glucosio/android - अधिक जानकारी: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-hi/strings.xml b/app/src/main/res/values-hi/strings.xml deleted file mode 100644 index fd1df0cc..00000000 --- a/app/src/main/res/values-hi/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - सेटिंग - प्रतिक्रिया भेजें - अवलोकन - इतिहास - झुकाव - नमस्ते. - नमस्ते. - उपयोग की शर्तें. - मैंने पढ़ा है और उपयोग की शर्तों को स्वीकार कर लिया है - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - हम तो बस आप पहले शुरू हो रही कुछ जल्दी चीजों की जरूरत है. - देश - आयु - एक वैध उम्र में दर्ज करें. - लिंग - नर - महिला - अन्य - मधुमेह टाइप - श्रेणी 1 - श्रेणी 2 - पसंदीदा इकाई - अनुसंधान के लिए गुमनाम डेटा साझा करें. - आप बाद में सेटिंग में इन बदल सकते हैं. - अगला - शुरू हो जाओ - अभी तक उपलब्ध नहीं है जानकारी. \n यहां अपने पहले पढ़ने जोड़ें. - रक्त शर्करा के स्तर को जोड़ें - एकाग्रता - तारीख - समय - मापा - नाश्ते से पहले - नाश्ते के बाद - दोपहर के भोजन से पहले - दोपहर के भोजन के बाद - रात के खाने से पहले - रात के खाने के बाद - सामान्य - पुनः जाँच - रात - अन्य - रद्द - जोड़ें - कृपया कोई मान्य मान दर्ज करें. - सभी क्षेत्रों को भरें. - हटाना - संपादित - 1 पढ़ने हटाए गए - पूर्ववत - अंतिम जांच: - पिछले एक महीने में रुझान: - सीमा और स्वस्थ में - माह - दिन - सप्ताह - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - के बारे में - संस्करण - उपयोग की शर्तें - टाइप - वजन - कस्टम माप श्रेणी - - कार्बोहाइड्रेट और चीनी का सेवन कम करने में मदद करने के लिए और अधिक ताजा, असंसाधित खाद्य पदार्थ का सेवन करें. - चीनी और कार्बोहाइड्रेट का सेवन को नियंत्रित करने के डिब्बाबंद खाद्य पदार्थ और पेय पदार्थों पर पोषण लेबल पढ़ें. - जब बाहर खा रहे हो, तब बिना अतिरिक्त मक्खन या तेल से भूने मांस या मछली के लिये पूछिये। - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - सहायक - अभी अद्यतन करें - ठीक मिल गया - प्रतिक्रिया सबमिट करें - पढ़ना जोड़ें - अपने वजन को अपडेट करें - Make sure to update your weight so Glucosio has the most accurate information. - अपने अनुसंधान में ऑप्ट अद्यतन - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - श्रेणियों बनाएँ - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - यहाँ अक्सर चेक - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - प्रतिक्रिया सबमिट करें - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - एक पढ़ने जोड़ें - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - पसंदीदा श्रेणी - कस्टम श्रेणी - न्यूनतम मूल्य - अधिकतम मूल्य - अब यह कोशिश करो - diff --git a/app/src/main/res/values-hil/google-playstore-strings.xml b/app/src/main/res/values-hil/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-hil/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-hil/strings.xml b/app/src/main/res/values-hil/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-hil/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-hmn/google-playstore-strings.xml b/app/src/main/res/values-hmn/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-hmn/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-hmn/strings.xml b/app/src/main/res/values-hmn/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-hmn/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-ho/google-playstore-strings.xml b/app/src/main/res/values-ho/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-ho/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-ho/strings.xml b/app/src/main/res/values-ho/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-ho/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-hr/google-playstore-strings.xml b/app/src/main/res/values-hr/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-hr/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-hr/strings.xml b/app/src/main/res/values-hr/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-hr/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-hsb/google-playstore-strings.xml b/app/src/main/res/values-hsb/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-hsb/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-hsb/strings.xml b/app/src/main/res/values-hsb/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-hsb/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-ht/google-playstore-strings.xml b/app/src/main/res/values-ht/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-ht/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-ht/strings.xml b/app/src/main/res/values-ht/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-ht/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-hu/google-playstore-strings.xml b/app/src/main/res/values-hu/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-hu/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-hu/strings.xml b/app/src/main/res/values-hu/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-hu/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-hy/google-playstore-strings.xml b/app/src/main/res/values-hy/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-hy/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-hy/strings.xml b/app/src/main/res/values-hy/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-hy/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-hz/google-playstore-strings.xml b/app/src/main/res/values-hz/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-hz/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-hz/strings.xml b/app/src/main/res/values-hz/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-hz/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-id/google-playstore-strings.xml b/app/src/main/res/values-id/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-id/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-id/strings.xml b/app/src/main/res/values-id/strings.xml deleted file mode 100644 index 0fefd9e9..00000000 --- a/app/src/main/res/values-id/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Pengaturan - Kirim umpan balik - Ikhtisar - Riwayat - Kiat - Halo. - Halo. - Ketentuan Penggunaan. - Saya telah membaca dan menerima syarat penggunaan - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - Kami hanya perlu beberapa hal sebelum Anda bisa mulai. - Negara - Umur - Mohon masukkan umur valid. - Gender - Laki-laki - Perempuan - Lainnya - Tipe diabetes - Tipe 1 - Tipe 2 - Unit utama - Berbagi data anonim untuk riset. - Anda dapat mengganti ini nanti di pengaturan. - BERIKUTNYA - MEMULAI - No info available yet. \n Add your first reading here. - Tambah Kadar Glukosa Darah - Konsentrasi - Tanggal - Waktu - Terukur - Sebelum sarapan - Setelah sarapan - Sebelum makan siang - Setelah makan siang - Sebelum makan malam - Setelah makan malam - Umum - Recheck - Malam - Other - BATAL - TAMBAH - Please enter a valid value. - Mohon lengkapi semua isian. - Hapus - Edit - 1 bacaan dihapus - URUNG - Periksa terakhir: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - Tentang - Versi - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-ig/google-playstore-strings.xml b/app/src/main/res/values-ig/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-ig/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-ig/strings.xml b/app/src/main/res/values-ig/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-ig/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-ii/google-playstore-strings.xml b/app/src/main/res/values-ii/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-ii/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-ii/strings.xml b/app/src/main/res/values-ii/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-ii/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-ilo/google-playstore-strings.xml b/app/src/main/res/values-ilo/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-ilo/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-ilo/strings.xml b/app/src/main/res/values-ilo/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-ilo/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-is/google-playstore-strings.xml b/app/src/main/res/values-is/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-is/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-is/strings.xml b/app/src/main/res/values-is/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-is/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-it/google-playstore-strings.xml b/app/src/main/res/values-it/google-playstore-strings.xml deleted file mode 100644 index 89caabf4..00000000 --- a/app/src/main/res/values-it/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio è un app focalizzata sugli utenti, gratuita e opensource per persone affette da diabete - Usando Glucosio, puoi inserire e tracciare i livelli di glicemia, supportare anonimamente la ricerca sul diabete attraverso la condivisione anonima dell\'andamento della glicemia e di dati demografici e ottenere consigli utili attraverso il nostro assistente. Glucosio rispetta la tua privacy e avrai sempre il controllo dei tuoi dati. - * Focalizzata sull\'utente. Glucosio è progettata con funzionalità e un design che risponde alle necessità degli utenti e siamo costantemente aperti a suggerimenti per migliorare. - *Open Source. Glucosio ti da la libertà di di usare, copiare, studiare e cambiare il codice sorgente di una qualsiasi delle nostre applicazioni e anche contrubuire al progetto Glucosio. - *Gestire i dati. Glucosio consente di tracciare e gestire i tuoi dati sul diabete da un\'interfaccia intuitiva e moderna costruita dai suggerimenti dei diabetici. - *Supporta la ricerca. Glucosio offre agli utenti l\'opzione di acconsentire l\'invio anonimo di dati sul diabete e informazioni demografiche con i ricercatori. - Si prega di inviare eventuali bug, problemi o richieste di nuove funzionalità a: - https://github.com/glucosio/android - Più dettagli: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-it/strings.xml b/app/src/main/res/values-it/strings.xml deleted file mode 100644 index 8a4d97e3..00000000 --- a/app/src/main/res/values-it/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Impostazioni - Invia feedback - Riepilogo - Cronologia - Suggerimenti - Ciao. - Ciao. - Condizioni d\'uso. - Ho letto e accetto le condizioni d\'uso - I contenuti del sito web e applicazione Glucosio, come testo, grafici, immagini e altro materiale (\"Contenuti\") sono a scopo puramente informativo. Le informazioni non sono da considerarsi come sostitutive di consigli medici professionali, diagnosi o trattamenti terapeutici. Noi incoraggiamo gli utenti di Glucosio a chiedere sempre il parere del proprio medico curante o di personale qualificato su qualsiasi domanda tu abbia inerente una condizione medica. Mai ignorare i consigli di una consulenza medica professionale o ritardarne la ricerca a causa di qualcosa letta nel sito web di Glucosio o nella nostra applicazione. Il sito web di Glucosio, Blog, Wiki e altri contenuti accessibili dovrebbero essere usati solo per gli scopi sopra descritti. In affidamento su qualsiasi informazione fornita da Glucosio, dai membri del team di Glucosio, volontari o altri che appaiono nel sito web o applicazione, usale a tuo rischio e pericolo. Il Sito Web e i contenuti sono forniti su base \"così com\'è\". - Abbiamo solo bisogno di un paio di cose veloci prima di iniziare. - Nazione - Età - Inserisci una età valida. - Sesso - Maschio - Femmina - Altro - Tipo di diabete - Tipo 1 - Tipo 2 - Unità preferita - Condividi i dati anonimi per la ricerca. - Puoi cambiare queste impostazioni dopo. - SUCCESSIVO - INIZIAMO - Nessuna informazione disponibile. \n Aggiungi la tua prima lettura qui. - Aggiungi livello di Glucosio nel sangue - Concentrazione - Data - Tempo - Misurato - Prima di colazione - Dopo colazione - Prima di pranzo - Dopo pranzo - Prima della cena - Dopo cena - Generale - Ricontrollare - Notte - Altro - ANNULLA - AGGIUNGI - Inserisci un valore valido. - Per favore compila tutti i campi. - Cancella - Modifica - 1 lettura cancellata - ANNULLA - Ultimo controllo: - Tendenza negli ultimi mesi: - nello standard e sano - Mese - Giorno - Settimana - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - Informazioni - Versione - Termini di utilizzo - Tipo - Peso - Categoria personalizzata - - Mangiare più alimenti freschi, non trasformati aiuta a ridurre l\'assunzione dei carboidrati e degli zuccheri. - Leggere l\'etichetta nutrizionale su alimenti confezionati e bevande per controllare l\'assunzione di zuccheri e carboidrati. - Quando mangi fuori, chiedi pesce o carne alla griglia senza aggiunta di burro o olio. - Quando mangi fuori, chiedi se hanno piatti a basso contenuto di sodio. - Quando mangi fuori, mangia le stesse porzioni che mangeresti a casa e portati via gli avanzi. - Quando mangi fuori ordina elementi con basso contenuto calorico, come condimenti per insalata, anche se non sono disponibili in menu. - Quando mangi fuori chiedi dei sostituti. Al posto di patatine fritte, richiedi una doppia porzione di verdure ad esempio insalata, fagioli o broccoli. - Quando mangi fuori, ordina alimenti non impanati o fritti. - Quando mangi fuori chiedi per le salse, sugo e condimenti per insalate \"a parte.\" - Senza zucchero non significa davvero senza zuccheri aggiunti. Vuol dire 0,5 grammi (g) di zucchero per porzione, quindi state attenti a non indulgere in molti articoli senza zuccheri. - Il raggiungimento di un un peso sano, aiuta a controllo gli zuccheri nel sangue. Il tuo medico, un dietista e un istruttore di fitness può aiutarti a iniziare un piano di lavoro adatto a te che funziona. - Controllando la glicemia e tenendone traccia in un applicazione come Glucosio due volte al giorno, ti aiuterà ad essere consapevole dei risultati e delle scelte alimentari e dello stile di vita. - Esegui esami dell\'emoglobina glicata (HbA1c) per stabilire i valori medi di glicemia degli ultimi 2 o 3 mesi. Il tuo medico dovrebbe dirti quanto spesso sarà necessario eseguire quest\'esame. - Tener traccia del consumo dei carboidrati può essere importante come il controllo della glicemia, in quanto i carboidrati influenzano i livelli di glucosio nel sangue. Parla con il tuo medico o nutrizionista dell\'assunzione dei carboidrati. - Controllare la pressione sanguigna, il colesterolo e i trigliceridi è importante poiché i diabetici sono più a rischio di malattie cardiache. - Ci sono diversi approcci di dieta che puoi affrontare mangiando più sano e contribuendo a migliorare i tuoi risultati diabetici. Chiedere il parere di un dietologo su che cosa funziona meglio su di voi e il vostro budget. - Organizzarsi su come fare esercizio fisico regolarmente è particolarmente importante per i diabetici e può aiutare a mantenere un peso sano. Parla con un medico degli esercizi che sono più adatti al tuo caso. - L\'insonnia può farti mangiare molto più del necessario soprattutto come cibi spazzatura e di conseguenza può avere un impatto negativo sulla vostra salute. Essere sicuri di ottenere una buona notte di sonno e consultare uno specialista del sonno, se si riscontrano difficoltà. - Lo stress può avere un impatto negativo sul diabete, parla con il tuo medico o altri operatori sanitari per far fronte allo stress. - Visitare il tuo medico almeno una volta l\'anno e avere comunicazioni regolari durante tutto l\'anno è importante per i diabetici per prevenire qualsiasi improvvisa insorgenza di problemi di salute associati. - Prendi i farmaci come prescritti dal tuo medico, anche piccole variazioni possono incidere sul tuo livello di glucosio e causare effetti collaterali. Se hai difficoltà a ricordare chiedi al tuo medico come gestire i farmaci. - - - I diabetici di lunga data potrebbero avere un alto rischio di complicanze associate al diabete. Parla con il tuo medico su come l\'età giochi un ruolo nel tuo diabete e come monitorare questi rischi. - Limita la quantità di sale che usi per cucinare e che aggiungi ai pasti dopo la cottura. - - Assistente - AGGIORNA ORA - OK, CAPITO - INVIA FEEDBACK - AGGIUNGI UNA MISURAZIONE - Aggiorna il tuo peso - Aggiorna il peso regolarmente così Glucosio ha le informazioni più accurate. - Aggiorna la tua scelta di mandare il tuoi dati in modo anonimo ai gruppo di ricerca - Puoi sempre acconsentire o meno alla condivisione dei dati a favore della ricerca sul diabete, ma ricorda che tutti i dati condivisi sono completamente anonimi. Condividiamo solo dati demografici e le tendenze dei livelli di glucosio. - Crea categorie - Glucosio ha delle categorie di default per l\'immissione dei valori di glucosio, ma puoi creare categorie personalizzate nelle impostazioni per soddisfare le tue necessità. - Controllare spesso qui - L\'assistente di Glucosio fornisce constanti suggerimenti e continuerà a migliorare, perciò controlla sempre qui azioni che possono migliorare la tua esperienza d\'uso di Glucosio e altri utili consigli. - Invia feedback - Se trovi eventuali problemi tecnici o hai feedback su Glucosio ti invitiamo a presentarli nel menu impostazioni, al fine di aiutarci a migliorare Glucosio. - Aggiungi una lettura - Assicurati di aggiungere regolarmente le letture dela tua glicemia, così possiamo aiutarti a monitorare i livelli di glucosio nel corso del tempo. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Intervallo desiderato - Intervallo personalizzato - Valore minimo - Valore massimo - PROVALO ORA - diff --git a/app/src/main/res/values-iu/google-playstore-strings.xml b/app/src/main/res/values-iu/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-iu/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-iu/strings.xml b/app/src/main/res/values-iu/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-iu/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-ja/google-playstore-strings.xml b/app/src/main/res/values-ja/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-ja/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-ja/strings.xml b/app/src/main/res/values-ja/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-ja/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-jbo/google-playstore-strings.xml b/app/src/main/res/values-jbo/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-jbo/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-jbo/strings.xml b/app/src/main/res/values-jbo/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-jbo/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-jv/google-playstore-strings.xml b/app/src/main/res/values-jv/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-jv/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-jv/strings.xml b/app/src/main/res/values-jv/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-jv/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-ka/google-playstore-strings.xml b/app/src/main/res/values-ka/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-ka/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-ka/strings.xml b/app/src/main/res/values-ka/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-ka/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-kab/google-playstore-strings.xml b/app/src/main/res/values-kab/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-kab/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-kab/strings.xml b/app/src/main/res/values-kab/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-kab/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-kdh/google-playstore-strings.xml b/app/src/main/res/values-kdh/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-kdh/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-kdh/strings.xml b/app/src/main/res/values-kdh/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-kdh/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-kg/google-playstore-strings.xml b/app/src/main/res/values-kg/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-kg/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-kg/strings.xml b/app/src/main/res/values-kg/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-kg/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-kj/google-playstore-strings.xml b/app/src/main/res/values-kj/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-kj/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-kj/strings.xml b/app/src/main/res/values-kj/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-kj/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-kk/google-playstore-strings.xml b/app/src/main/res/values-kk/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-kk/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-kk/strings.xml b/app/src/main/res/values-kk/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-kk/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-kl/google-playstore-strings.xml b/app/src/main/res/values-kl/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-kl/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-kl/strings.xml b/app/src/main/res/values-kl/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-kl/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-km/google-playstore-strings.xml b/app/src/main/res/values-km/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-km/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-km/strings.xml b/app/src/main/res/values-km/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-km/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-kmr/google-playstore-strings.xml b/app/src/main/res/values-kmr/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-kmr/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-kmr/strings.xml b/app/src/main/res/values-kmr/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-kmr/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-kn/google-playstore-strings.xml b/app/src/main/res/values-kn/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-kn/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-kn/strings.xml b/app/src/main/res/values-kn/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-kn/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-ko/google-playstore-strings.xml b/app/src/main/res/values-ko/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-ko/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-ko/strings.xml b/app/src/main/res/values-ko/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-ko/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-kok/google-playstore-strings.xml b/app/src/main/res/values-kok/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-kok/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-kok/strings.xml b/app/src/main/res/values-kok/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-kok/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-ks/google-playstore-strings.xml b/app/src/main/res/values-ks/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-ks/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-ks/strings.xml b/app/src/main/res/values-ks/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-ks/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-ku/google-playstore-strings.xml b/app/src/main/res/values-ku/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-ku/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-ku/strings.xml b/app/src/main/res/values-ku/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-ku/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-kv/google-playstore-strings.xml b/app/src/main/res/values-kv/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-kv/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-kv/strings.xml b/app/src/main/res/values-kv/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-kv/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-kw/google-playstore-strings.xml b/app/src/main/res/values-kw/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-kw/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-kw/strings.xml b/app/src/main/res/values-kw/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-kw/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-ky/google-playstore-strings.xml b/app/src/main/res/values-ky/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-ky/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-ky/strings.xml b/app/src/main/res/values-ky/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-ky/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-la/google-playstore-strings.xml b/app/src/main/res/values-la/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-la/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-la/strings.xml b/app/src/main/res/values-la/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-la/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-lb/google-playstore-strings.xml b/app/src/main/res/values-lb/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-lb/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-lb/strings.xml b/app/src/main/res/values-lb/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-lb/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-lg/google-playstore-strings.xml b/app/src/main/res/values-lg/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-lg/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-lg/strings.xml b/app/src/main/res/values-lg/strings.xml deleted file mode 100644 index cde93df5..00000000 --- a/app/src/main/res/values-lg/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Setingi - Werezza obubaka - Overview - Ebyafayo - Obubonero - Hallo. - Gyebale. - Endagano ye Enkozesa - Mazze okusoma atte nzikiriza Endagano Z\'enkozesa - Ebintu ebiri ku mutingabagano ne appu za Glucosio, nga ebigambo, grafikis, ebifananyi ne ebintu ebikozesebwa ebirala byona (\"Ebintu\") bya kusoma kwoka. Ebintu bino tebigendereddwa ku kuzesebwa mu kifo ky\'obubaka bwe ddwaliro obukugu, okeberwa oba obujanjjabi. Tuwaniriza abakozesa Glucosio buli kaseera okunonya obubaka obutufu obwo omusawo oba omujanjabi omulala omukugu ng\'obabuza ebibuzo byona byoyina ebikwatagana n\'ekirwadde kyona. Togana nga bubaka bw\'abasawo abakugu oba n\'olwawo okubunonya lwakuba oyina byosomye ku mutinbagano gwa Glucosio oba mu appu z\'affe. Omutinbagano, bulogo, Wiki n\'engeri endala ez\'okukatimbe (\"Omutinbagano\") biyina okozesebwa mungeri y\'oka nga wetugambye wangulu.\n Okweyunira ku bubaka obuwerebwa Glucosio, ba memba ba tiimu ya Glucosio, bamuzira-kisa nabalala abana beera ku mutinbagano oba mu appu zaffe mukikola ku bulabe bwamwe. Omutinbagano N\'ebiriko biwerebwa nga bwebiri. - Twetagayo ebintu bitono nga tetunakuyamba kutandika. - Ensi - Emyaka - Tusoba oyingizemu emyaka emitufu. - Gender - Musajja - Mukazi - Endala - Ekika kya Sukali - Ekika Ekisoka - Ekika Eky\'okubiri - Empima Gy\'oyagala - Gaba obubaka bwa risaaki nga tekuli manya. - Osobola okukyusa setingi zino edda. - EKIDAKO - TANDIKA - Tewanabawo bubaka. \n Gatta esomayo esooka wano. - Gata levo ya Sukari ali mu Musaayi wano - Obukwafu - Olunaku - Essawa - Ebipimiddwa - Nga tonanywa kyayi - Ng\'omazze kyayi - Nga tonala ky\'emisana - Ng\'omazze okulya eky\'emisana - Nga tonalya ky\'eggulo - Ng\'omazze okulya eky\'eggulo - General - Ddamu okebere - Ekiro - Ebirala - SAZAMU - GATAKO - Tusaba oyingizemu enukutta entufu. - Tusaba ojuzzemu amabanga gona. - Sazamu - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-li/google-playstore-strings.xml b/app/src/main/res/values-li/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-li/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-li/strings.xml b/app/src/main/res/values-li/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-li/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-lij/google-playstore-strings.xml b/app/src/main/res/values-lij/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-lij/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-lij/strings.xml b/app/src/main/res/values-lij/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-lij/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-ln/google-playstore-strings.xml b/app/src/main/res/values-ln/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-ln/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-ln/strings.xml b/app/src/main/res/values-ln/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-ln/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-lo/google-playstore-strings.xml b/app/src/main/res/values-lo/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-lo/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-lo/strings.xml b/app/src/main/res/values-lo/strings.xml deleted file mode 100644 index 4d6bec01..00000000 --- a/app/src/main/res/values-lo/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - ຕັ້ງຄ່າ - ສົ່ງຂໍ້ຄິດເຫັນ - ພາບລວມ - ປະຫວັດ - ເຄັດລັບ - ສະບາຍດີ. - ສະບາຍດີ. - ເງື່ອນໄຂການໃຊ້. - ຂ້ອຍໄດ້ອ່ານ ແລະ ຍອມຮັບເງື່ອນໄຂການນຳໃຊ້ແລ້ວ - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - ປະເທດ - ອາຍຸ - ກະລຸນາປ້ອນອາຍຸທີ່ຖືກຕ້ອງ. - ເພດ - ຜູ້ຊາຍ - ຜູ້ຫຍິງ - ອື່ນໆ - ປະເພດຂອງພະຍາດເບົາຫວານ - ປະເພດທີ່ 1 - ປະເພດທີ່ 2 - ຫົວຫນ່ວຍທີ່ທ່ານມັກ - ແບ່ງປັນຂໍ້ມູນທີ່ບໍລະບູຊືສໍາລັບການຄົ້ນຄວ້າ. - ທ່ານສາມາດປ່ຽນແປງໃນການຕັ້ງຄ່າຕາມຫລັງ. - ຕໍ່ໄປ - ເລີ່ມຕົ້ນນຳໃຊ້ເລີຍ - ຍັງບໍ່ມີຂໍ້ຫຍັງເທື່ອ. \n ເພີ່ມການອ່ານທຳອິດຂອງທ່ານເຂົ້າໃນນີ້. - ເພີ່ມລະດັບເລືອດ Glucose - ຄວາມເຂັ້ມຂຸ້ນ - ວັນທີ່ - ເວລາ - ການວັດແທກ - ຫລັງຮັບປະທ່ານອາຫານເຊົ້າ - ກ່ອນຮັບປະທ່ານອາຫານເຊົ້າ - ຫລັງຮັບປະທ່ານອາຫານທ່ຽງ - ກ່ອນຮັບປະທ່ານອາຫານທ່ຽງ - ຫລັງຮັບປະທ່ານອາຫານຄຳ - ກ່ອນຮັບປະທ່ານອາຫານຄຳ - ທົ່ວໄປ - ກວດຄືນ - ຕອນກາງຄືນ - ອື່ນໆ - ອອກ - ເພີ່ມ - ກະລຸນາໃສ່ຄ່າຂໍ້ມູນທີ່ຖືກຕ້ອງ. - ກະລຸນາຕື່ມໃສ່ໃຫ້ຄົບທຸກຫ້ອງ. - ລຶບ - ແກ້ໄຂ - 1 reading deleted - ເອົາກັບຄືນ - ກວດສອບຄັ້ງຫຼ້າສຸດ: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - ກ່ຽວກັບ - ຫລູ້ນ - ເງື່ອນໄຂການໃຊ້ - ປະເພດ - Weight - Custom measurement category - - ຮັບປະທານອາຫານສົດໆເພື່ອຊ່ວຍລຸດປະລິມານທາດນໍ້ຕານ ແລະ ແປ້ງ. - ອ່ານປ້າຍທາງໂພຊະນາການຢູ່ກ່ອງອາຫານ ແລະ ເຄື່ອງດື່ມໃນການຄວບຄຸມທາດນ້ຳຕານ ແລະ ທາດແປ້ງ. - ເວລາທີ່ໄປຮັບປະທານອາຫານນອກບ້ານຂໍໃຫ້ສັງປີ້ງປາ ຫລື ຊີ້ນທີ່ບໍ່ມີເນີຍ ຫລື ນໍ້າມັນ. - ເວລາທີ່ໄປຮັບປະທານອາຫານນອກບ້ານໃຫ້ຖາມເບິງອາຫານທີ່ມີທາດໂຊດຽມຕຳ. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - ຜູ້ຊ່ວຍ - ອັບເດດຕອນນີ້ເລີຍ - Ok, ເຂົ້າໃຈແລ້ວ - ສົ່ງຄໍາຄິດເຫັນ - ເພີ່ມການອ່ານ - ອັບເດດນ້ຳຫນັກຂອງທ່ານ - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - ສົ່ງຄໍາຄິດເຫັນ - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - ເພີ່ມການອ່ານ - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-lt/google-playstore-strings.xml b/app/src/main/res/values-lt/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-lt/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-lt/strings.xml b/app/src/main/res/values-lt/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-lt/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-luy/google-playstore-strings.xml b/app/src/main/res/values-luy/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-luy/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-luy/strings.xml b/app/src/main/res/values-luy/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-luy/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-lv/google-playstore-strings.xml b/app/src/main/res/values-lv/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-lv/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-lv/strings.xml b/app/src/main/res/values-lv/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-lv/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-mai/google-playstore-strings.xml b/app/src/main/res/values-mai/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-mai/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-mai/strings.xml b/app/src/main/res/values-mai/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-mai/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-me/google-playstore-strings.xml b/app/src/main/res/values-me/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-me/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-me/strings.xml b/app/src/main/res/values-me/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-me/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-mg/google-playstore-strings.xml b/app/src/main/res/values-mg/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-mg/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-mg/strings.xml b/app/src/main/res/values-mg/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-mg/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-mh/google-playstore-strings.xml b/app/src/main/res/values-mh/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-mh/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-mh/strings.xml b/app/src/main/res/values-mh/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-mh/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-mi/google-playstore-strings.xml b/app/src/main/res/values-mi/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-mi/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-mi/strings.xml b/app/src/main/res/values-mi/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-mi/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-mk/google-playstore-strings.xml b/app/src/main/res/values-mk/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-mk/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-mk/strings.xml b/app/src/main/res/values-mk/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-mk/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-ml/google-playstore-strings.xml b/app/src/main/res/values-ml/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-ml/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-ml/strings.xml b/app/src/main/res/values-ml/strings.xml deleted file mode 100644 index 2c309d11..00000000 --- a/app/src/main/res/values-ml/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - സജ്ജീകരണങ്ങള്‍ - Send feedback - മേല്‍കാഴ്ച - നാള്‍വഴി - സൂത്രങ്ങള്‍ - നമസ്കാരം. - നമസ്കാരം. - ഉപയോഗനിബന്ധനകൾ. - ഞാൻ നിബന്ധനകൾ അംഗീകരിക്കുന്നു - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - രാജ്യം - വയസ്സു് - ഒരു സാധുതയുള്ള വയസ്സ് നൽകുക. - ലിംഗം - പുരുഷന്‍ - സ്ത്രീ - മറ്റുള്ളവ - പ്രമേഹത്തിന്റെ വിധം - ടൈപ്പു് 1 - ടൈപ്പു് 2 - ഉപയോഗിക്കേണ്ട ഏകകം - നിരീക്ഷണത്തിനായി വിവരങ്ങൾ നൽകുക. - ഇത് പിന്നീട് മാറ്റാവുന്നതാണു്. - അടുത്തത് - തുടങ്ങാം - ഒരു വിവരവും ലഭ്യമല്ല \n ആദ്യ നിരീക്ഷണം ചേർക്കുക. - രക്തത്തിലെ ഗ്ലൂക്കോസിന്റെ അളവു് ചേര്‍ക്കൂ - ഗാഢത - തീയതി - സമയം - അളന്നതു് - പ്രാതലിനു് മുമ്പു് - പ്രാതലിനു് ശേഷം - ഉച്ചയൂണിനു് മുമ്പു് - ഉച്ചയൂണിനു് ശേഷം - അത്താഴത്തിനു് മുമ്പു് - അത്താഴത്തിനു് ശേഷം - പൊതുവായത് - വീണ്ടും നോക്കുക - രാത്രി - മറ്റുള്ളവ - വേണ്ട - ചേര്‍ക്കൂ - ഒരു സാധുതയുള്ള മൂല്യം ചേർക്കുക. - ദയവായി എല്ലാ കോളങ്ങളും പൂരിപ്പിക്കുക. - നീക്കം ചെയ്യുക - മാറ്റം വരുത്തുക - 1 നിരീക്ഷണം മായിച്ചിരിക്കുന്നു - തിരുത്തുക - അവസാന നോട്ടം: - ഈ മാസത്തിലെ പോക്കു്: - പരിധിക്കുള്ളിൽ, ആരോഗ്യകരം - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - സംബന്ധിച്ച് - പതിപ്പ് - ഉപയോഗനിബന്ധനകൾ - തരം - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - സഹായി - ഇപ്പോൾ പുതുക്കുക - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-mn/google-playstore-strings.xml b/app/src/main/res/values-mn/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-mn/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-mn/strings.xml b/app/src/main/res/values-mn/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-mn/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-moh/google-playstore-strings.xml b/app/src/main/res/values-moh/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-moh/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-moh/strings.xml b/app/src/main/res/values-moh/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-moh/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-mos/google-playstore-strings.xml b/app/src/main/res/values-mos/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-mos/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-mos/strings.xml b/app/src/main/res/values-mos/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-mos/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-mr/google-playstore-strings.xml b/app/src/main/res/values-mr/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-mr/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-mr/strings.xml b/app/src/main/res/values-mr/strings.xml deleted file mode 100644 index aaafd8eb..00000000 --- a/app/src/main/res/values-mr/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - सेटिंग्स - प्रतिक्रिया पाठवा - सारांश - इतिहास - टिपा - नमस्कार. - नमस्कार. - वापराच्या अटी - मी वापराच्या अटी वाचल्या आहेत आणि त्या मान्य करतो - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - आपण सुरु करण्या आधी काही आम्हाला काही झटपट गोष्टी हव्या आहेत. - देश - वय - Please enter a valid age. - लिंग - पुरुष - महिला - इतर - मधुमेह - प्रकार १ - प्रकार २ - एककाचे प्राधान्य - Share anonymous data for research. - आपण नंतर ह्या सेटिंग्स मधे बदलु शकता. - पुढे - सुरुवात करा - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - दिनांक - वेळ - मोजले - न्याहारी आधी - न्याहारी नंतर - जेवणाआधी - जेवणानंतर - जेवणाआधी - जेवणानंतर - एकंदर - पुनःतपासा - रात्र - इतर - रद्द - जोडा - Please enter a valid value. - Please fill all the fields. - नष्ट - संपादन - 1 reading deleted - UNDO - शेवटची तपासणी: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - या बद्दल - आवृत्ती - वापराच्या अटी - प्रकार - वजन - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-ms/google-playstore-strings.xml b/app/src/main/res/values-ms/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-ms/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-ms/strings.xml b/app/src/main/res/values-ms/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-ms/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-mt/google-playstore-strings.xml b/app/src/main/res/values-mt/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-mt/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-mt/strings.xml b/app/src/main/res/values-mt/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-mt/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-my/google-playstore-strings.xml b/app/src/main/res/values-my/google-playstore-strings.xml deleted file mode 100644 index 9c114a1c..00000000 --- a/app/src/main/res/values-my/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - အ​သေးစိတ်။ - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-my/strings.xml b/app/src/main/res/values-my/strings.xml deleted file mode 100644 index e936c342..00000000 --- a/app/src/main/res/values-my/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - အပြင်အဆင်များ - အကြံပြုချက်​ပေးရန် - ခြုံငုံကြည့်ခြင်း - မှတ်တမ်း - အကြံပြုချက်များ - မင်္ဂလာပါ။ - မင်္ဂလာပါ။ - သုံးစွဲမှု စည်းကမ်းချက်များ - သုံးစွဲမှု စည်းကမ်းချက်များကို ဖတ်ရှုထားပါသည်။ ထို့ပြင် သဘောတူလက်ခံပါသည်။ - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - သင် စတင် အသုံးမပြုမီ လျင်မြန်စွာ ဆောင်ရွက်နိုင်သည့် အချက်အနည်းငယ် ဆောင်ရွက်ရန် လိုအပ်ပါသည်။ - နိုင်ငံ - အသက် - ကျေးဇူးပြု၍ မှန်ကန်သော အသက်ကို ဖြည့်ပါ။ - လိင် - ကျား - - အခြား - ဆီးချို အမျိုးအစား - အမျိုးအစား ၁ - အမျိုးအစား ၂ - အသုံးပြုလိုသော အတိုင်းအတာ - သုတေသနအတွက် အချက်အလက်ကို မျှဝေပါ (အမျိုးအမည် မဖော်ပြပါ)။ - သင် ဒီအရာကို အပြင်အဆင်များထဲတွင် ပြောင်းလဲနိုင်သည်။ - ရှေ့သို့ - စတင်မည် - မည်သည့်အချက်အလက်မျှ မရနိုင်သေးပါ။ \n သင့် ပထမဆုံး ပြန်ဆိုချက်ကို ဒီမှာ ထည့်ပါ။ - သွေးထဲရှိ အချိုဓါတ် အဆင့်ကို ဖြည့်ပါ - ဒြပ် ပါဝင်မှု - နေ့စွဲ - အချိန် - တိုင်းထွာပြီး - မနက်စာ မစားမီ - မနက်စာ စားပြီး - နေ့လည်စာ မစားမီ - နေ့လည်စာ စားပြီး - ညစာ မစားမီ - ညစာ စားပြီး - အထွေထွေ - ပြန်လည် စစ်ဆေးရန် - - အခြား - မလုပ်တော့ပါ - ထည့်ရန် - ကျေးဇူးပြု၍ မှန်ကန်သော တန်ဖိုးကို ဖြည့်ပါ။ - ကျေးဇူးပြု၍ ကွက်လပ်အားလုံးကို ဖြည့်ပေးပါ။ - ဖျက်ရန် - ပြင်ရန် - ပြန်ဆိုချက် ၁ ခု ဖျက်ပြီး - UNDO - နောက်ဆုံး စစ်ဆေးမှု။ - လွန်ခဲ့သော လ အတွက် ဦးတည်ချက်။ - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - အကြောင်း - ဗားရှင်း - သုံးစွဲမှု စည်းကမ်းချက်များ - အမျိုးအစား - ကိုယ်အ​လေးချိန် - စိတ်ကြိုက် တိုင်းထွာမှု အတန်းအစား - - ကစီဓါတ်နှင့် သကြားပါဝင်မှုကို လျှော့ချရန် လတ်ဆတ်သော၊ မပြုပြင် မစီရင်ထားသည့် အစားအစာများကို စားပါ။ - သကြားနှင့် ကစီပါဝင်မှုကို ထိန်းချုပ်ရန် ထုပ်ပိုးအစားအစာများနှင့် သောက်စရာများပေါ်ရှိ အာဟာရ အညွှန်းကို ဖတ်ပါ။ - ဆိုင်များတွင် စားသောက်လျှင် ထောပတ် သို့မဟုတ် ဆီ မသုံးပဲ ကင်ထားသည့် အသား သို့မဟုတ် ငါး ကို တောင်းဆိုပါ။ - ဆိုင်များတွင် စားသောက်လျှင် အငန်ဓါတ် ပါဝင်မှုနှုန်း နည်းသည့် ဟင်းလျာများ ရှိမရှိ မေးပါ။ - ဆိုင်များတွင် စားသောက်လျှင် အိမ်တွင် စားနေကျ ပမာဏအတိုင်း စားပါ။ မကုန်လျှင် အိမ်သို့ ထုပ်ပိုးသွားပါ။ - ဆိုင်များတွင် စားသောက်သောအခါ (အစားအသောက်စာရင်းတွင် မပါဝင်လျှင်တောင်မှ) အသီးအရွက်သုပ်ကဲ့သို့ ကယ်လိုရီနည်းသည့် အစားအသောက်များကို မှာစားပါ။ - ဆိုင်များတွင် စားသောက်သောအခါ အစားထိုးစားသောက်နိုင်သည်များကို မေးပါ။ ပြင်သစ်အာလူးကြော်အစား အသီးအရွက်သုပ်၊ ဗိုလ်စားပဲ သို့မဟုတ် ပန်းဂေါ်ဖီစိမ်းကဲ့သို့ အသီးအနှံ၊ ဟင်းသီးဟင်းရွက်ကို နှစ်ပွဲ မှာယူစားသုံးပါ။ - ဆိုင်များတွင် စားသောက်သောအခါ ဖုတ်ထားခြင်း၊ ကြော်လှော်ထားခြင်း မဟုတ်သည့် အစားအသောက်များကို မှာယူစားသုံးပါ။ - ဆိုင်များတွင် စားသောက်သောအခါ အချဉ်ရည်၊ ဟင်းနှစ်ရည်နှင့် အသုပ်ဆမ်း ဟင်းနှစ်ရည်တို့ကို ဟင်းရံအနေဖြင့် မေးမြန်းမှာယူပါ။ - သကြားမပါဝင်ပါ သည် တကယ်သကြားမပါဝင်ဟု မဆိုလိုပါ။ ၄င်းသည် တစ်ပွဲတွင် သကြား 0.5 ဂရမ် ပါဝင်သည်ဟု ဆိုလိုသည်။ ထို့ကြောင့် သကြားမပါဝင်ဟုဆိုသည့် အရာများကို လွန်လွန်ကျူးကျူး မစားသုံးမိရန် သတိပြုစေလိုပါသည်။ - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - သင်၏ဆရာဝန်နှင့် တစ်နှစ်တစ်ကြိမ် ပြသခြင်းနှင့် နှစ်ကုန်တိုင်း ပုံမှန် အဆက်အသွယ် ရှိနေခြင်းက ရုတ်တရက်ဖြစ်မည့် ကျန်းမာရေးပြဿနာများ ဖြစ်ခြင်းမှ ကာဖို့အတွက် အရေးကြီးသည်. - သင်၏ဆေးဝါးအတွင်းရှိ သေးငယ်သော ဆေးပမာဏသည်ပင်လျှင် သင်၏သွေး ဂလူးကို့စ် ပမာဏနှင့် အခြားသော ဘေးထွက်ဆိုးကျိုးများဖြစ်နိုင်သောကြောင့် ဆရာဝန်ညွှန်ကြားထားသည့်အတိုင်း ဆေးဝါးများကို သောက်သုံးပါ. မှတ်မိဖို့ ခက်ခဲပါက ဆေးဝါး စီမံခန့်ခွဲခြင်းနှင့် အသိပေးချက် အကြောင်းကို ဆရာဝန် ကို မေးပါ. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - အကူ - အခုပဲ အဆင့်မြှင့်ပါ - အိုကေ၊ ရပြီ - အကြံပြုချက် ပေးရန် - ပြန်ဆိုချက် ထည့်ရန် - သင့် ကိုယ်အလေးချိန်ကို ပြင်ရန် - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - အတန်းအစား ဖန်တီးရန် - ဂလူးကို့စ် အချက်အလက်အတွက် Glucosio က ပုံသေ ကဏ္ဍများဖြင့် ထည့်သွင်းထားပါသည် သို့ရာတွင် သင်၏လိုအပ်ချက်နှင့် ကိုက်ညီရန် စိတ်ကြိုက်ကဏ္ဍများကို အပြင်အဆင်များထဲတွင် ဖန်တီးနိုင်ပါသည်. - ဒီနေရာကို မကြာခဏ စစ်ဆေးပါ - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - အကြံပြုချက် ပေးပို့ရန် - နည်းပညာ အခက်အခဲများ သို့မဟုတ် Glucosio နှင့် ပတ်သက်၍ တုံ့ပြန်လိုပါက Glucosio ကို ပိုမိုကောင်းမွန်ဖို့ ကူညီရန် အပြင်အဆင် စာရင်းတွင် ကျွန်ုပ်တို့ကို ပေးပို့ပါ. - ပြန်ဆိုချက် တစ်ခု ထည့်ပါ - သင်၏ ဂလူးကို့စ် ဖတ်ခြင်းကို ပုံမှန် ဖြစ်အောင်လုပ်ပေးပါ အဲလိုဆိုရင် ကျွန်ုပ်တို့က သင်၏ဂလူးကို့စ် ပမာဏကို အချိန်တိုင်း စောင့်ကြည့်ဖို့ ကူညီမှာပါ. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - အနည်းဆုံး တန်ဖိုး - အများဆုံး တန်ဖိုး - TRY IT NOW - diff --git a/app/src/main/res/values-na/google-playstore-strings.xml b/app/src/main/res/values-na/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-na/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-na/strings.xml b/app/src/main/res/values-na/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-na/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-nb/google-playstore-strings.xml b/app/src/main/res/values-nb/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-nb/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-nb/strings.xml b/app/src/main/res/values-nb/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-nb/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-nds/google-playstore-strings.xml b/app/src/main/res/values-nds/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-nds/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-nds/strings.xml b/app/src/main/res/values-nds/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-nds/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-ne/google-playstore-strings.xml b/app/src/main/res/values-ne/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-ne/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-ne/strings.xml b/app/src/main/res/values-ne/strings.xml deleted file mode 100644 index d1c77070..00000000 --- a/app/src/main/res/values-ne/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - सेटिङहरु - प्रतिक्रिया पठाउनुहोस् - सर्वेक्षण - इतिहास - सुझाव - नमस्कार। - नमस्कार। - उपयोग सर्तहरु। - मैले उपयोग सर्तहरु पढिसकेँ र स्वीकार गर्दछु - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - शुरुवात गर्नु अघि हामिलाई केहि कुराहरु चाहिनेछ। - देश - उमेर - कृपया ठिक उमेर हाल्नुहोला। - लिङ्ग - पुरुष - महिला - अन्य - मधुमेहको प्रकार - प्रकार १ - प्रकार २ - Preferred unit - Share anonymous data for research. - You can change these in settings later. - अर्को - शुरुवात गर्नुहोस्। - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - मिति - समय - नापिएको - बिहानी नाश्ता अघि - बिहानी नाश्ता पछि - खाजा अघि - खाजा पछि - रात्री भोजन अघि - रात्री भोजन पछि - साधारन - पुन:हेर्नुहोस् - रात्री - अन्य - रद्द - थप्नुहोस् - कृपया ठिक मान हाल्नुहोस्। - कृपया सबै क्षेत्रहरु भर्नुहोस्। - हटाउनुहोस - सम्पादन - एउटा हटाइयो - undo - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-ng/google-playstore-strings.xml b/app/src/main/res/values-ng/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-ng/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-ng/strings.xml b/app/src/main/res/values-ng/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-ng/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-nl/google-playstore-strings.xml b/app/src/main/res/values-nl/google-playstore-strings.xml deleted file mode 100644 index dfc4cb73..00000000 --- a/app/src/main/res/values-nl/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is een gebruikersgerichte gratis en opensource-app voor mensen met diabetes - Door Glucosio te gebruiken kunt u bloedsuikerspiegels invoeren en bijhouden, anoniem diabetesonderzoek steunen door demografische en geanonimiseerde trends in glucosegehalten te delen, en nuttige tips verkrijgen via onze assistent. Glucosio respecteert uw privacy, en u houdt altijd de controle over uw gegevens. - * Gebruikersgericht. Glucosio-apps zijn gebouwd met functies en een ontwerp die aan de wens van de gebruiker voldoen, en we staan altijd open voor feedback ter verbetering. - * Open source. Glucosio-apps bieden de vrijheid om de broncode van al onze apps te gebruiken, kopiëren, bestuderen en te wijzigen en zelfs aan het Glucosio-project mee te werken. - * Gegevens beheren. Met Glucosio kunt u uw diabetesgegevens bijhouden en beheren vanuit een intuïtieve, moderne interface die met feedback van diabetici is gebouwd. - * Onderzoek steunen. Glucosio-apps bieden gebruikers de keuze te opteren voor het delen van geanonimiseerde diabetesgegevens en demografische info met onderzoekers. - Meld eventuele bugs, problemen of aanvragen voor functies op: - https://github.com/glucosio/android - Meer details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-nl/strings.xml b/app/src/main/res/values-nl/strings.xml deleted file mode 100644 index 33ca9d2c..00000000 --- a/app/src/main/res/values-nl/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Instellingen - Feedback verzenden - Overzicht - Geschiedenis - Tips - Hallo. - Hallo. - Gebruiksvoorwaarden. - Ik heb de gebruiksvoorwaarden gelezen en geaccepteerd - De inhoud van de Glucosio-website en -apps, zoals tekst, afbeeldingen en ander materiaal (\'Inhoud\'), dient alleen voor informatieve doeleinden. De inhoud is niet bedoeld als vervanging voor professioneel medisch(e) advies, diagnose of behandeling. Gebruikers van Glucosio wordt aanbevolen bij eventuele vragen over een medische toestand altijd het advies van uw arts of andere gekwalificeerde gezondheidszorgverlener te raadplegen. Negeer nooit professioneel medisch advies en vermijd vertraging in het opvragen ervan omdat u iets op de Glucosio-website of in onze apps hebt gelezen. De Glucosio-website, -blog, -wiki en andere via een webbrowser toegankelijke inhoud (\'Website\') dienen alleen voor het hierboven beschreven doel te worden gebruikt.\n Het vertrouwen op enige informatie die door Glucosio, Glucosio-teamleden, vrijwilligers en anderen wordt aangeboden en op de website of in onze apps verschijnt, is geheel op eigen risico. De Website en de Inhoud worden op een ‘as is’-basis aangeboden. - We hebben even wat info nodig voordat u aan de slag kunt. - Land - Leeftijd - Voer een geldige leeftijd in. - Geslacht - Man - Vrouw - Overig - Type diabetes - Type 1 - Type 2 - Voorkeurseenheid - Anonieme gegevens delen voor onderzoek - U kunt dit later wijzigen in de instellingen. - VOLGENDE - AAN DE SLAG - Nog geen info beschikbaar. \n Voeg hier uw eerste uitlezing toe. - Bloedsuikerspiegel toevoegen - Concentratie - Datum - Tijd - Gemeten - Voor het ontbijt - Na het ontbijt - Voor de lunch - Na de lunch - Voor het avondeten - Na het avondeten - Algemeen - Opnieuw controleren - Nacht - Anders - ANNULEREN - TOEVOEGEN - Voer een geldige waarde in. - Vul alle velden in. - Verwijderen - Bewerken - 1 uitlezing verwijderd - ONGEDAAN MAKEN - Laatste controle: - Trend in afgelopen maand: - binnen bereik en gezond - Maand - Dag - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - Over - Versie - Gebruiksvoorwaarden - Type - Gewicht - Categorie met eigen metingen - - Eet meer vers, onverwerkt voedsel om inname van koolhydraten en suikers te verminderen. - Lees het voedingslabel op voorverpakt voedsel en drinkwaren om inname van suikers en koolhydraten te beheersen. - Als u buiten de deur eet, vraag dan om vis of vlees dat zonder extra boter of olie is gebakken. - Als u buiten de deur eet, vraag dan om zoutarme schotels. - Als u buiten de deur eet, hanteer dan dezelfde portiegroottes als dat u thuis zou doen en neem mee wat over is. - Als u buiten de deur eet, vraag dan om items met weinig calorieën, zoals saladedressings, zelfs als ze niet op het menu staan. - Als u buiten de deur eet, vraag dan om vervangingen. Vraag in plaats van patat om een dubbele portie van iets vegetarisch, zoals salade, sperziebonen of broccoli. - Als u buiten de deur eet, bestel dan voedsel dat niet is gepaneerd of gebakken. - Als u buiten de deur eet, vraag dan om sauzen, jus en saladedressings \'aan de zijkant\'. - Suikervrij betekent niet echt suikervrij. Het betekent 0,5 gram (g) suiker per portie, dus voorkom dat u zich met te veel suikervrije items verwent. - Streven naar een gezond gewicht helpt bloedsuikers te beheersen. Uw arts, een diëtist en een fitnesstrainer kunnen u op weg helpen met een schema dat voor u werkt. - Twee maal per dag controleren en bijhouden van uw bloedspiegel in een app als Glucosio helpt u bewust te worden van resultaten van keuzes in voedsel en levensstijl. - Vraag om A1c-bloedtests om achter uw gemiddelde bloedsuikerspiegel van de afgelopen 2 tot 3 maanden te komen. Uw arts kan vertellen hoe vaak deze test dient te worden uitgevoerd. - Bijhouden hoeveel koolhydraten u verbruikt kan net zo belangrijk zijn als het controleren van bloedspiegels, omdat koolhydraten bloedsuikerspiegels beïnvloeden. Praat met uw arts of een diëtist over de inname van koolhydraten. - Het beheersen van bloeddruk-, cholesterol- en triglyceridenniveaus is belangrijk, omdat diabetici gevoelig zijn voor hartziekten. - Er zijn diverse dieetbenaderingen die u kunt nemen om gezonder te eten en uw diabetesresultaten te verbeteren. Zoek advies bij een diëtist over wat het beste voor u en uw budget werkt. - Het werken aan regelmatige lichaamsbeweging is met name belangrijk voor mensen met diabetes en kan u helpen op gezond gewicht te blijven. Praat met uw arts over oefeningen die passend voor u zijn. - Slaaptekort kan ervoor zorgen dat u meer eet, met name dingen zoals junkfood, met als resultaat dat uw gezondheid negatief wordt beïnvloed. Zorg voor een goede nachtrust en raadpleeg een slaapspecialist als u hier moeite mee hebt. - Stress kan een negatieve invloed hebben op diabetes. Praat met uw arts of andere gezondheidsspecialist over omgaan met stress. - Eenmaal per jaar uw arts bezoeken en het hele jaar door communiceren is belangrijk voor diabetici om eventuele plotselinge aanvang van gerelateerde gezondheidsproblemen te voorkomen. - Neem uw medicijnen zoals door uw arts voorgeschreven; zelfs korte pauzes in uw medicijninname kunnen uw bloedsuikerspiegel beïnvloeden en andere bijwerkingen veroorzaken. Als u moeite hebt met het onthouden ervan, vraag dan uw arts om medicatiebeheer en herinneringsopties. - - - Oudere diabetici kunnen een hoger risico op aan diabetes gerelateerde gezondheidsproblemen lopen. Praat met uw arts over in hoeverre uw leeftijd een rol speelt in uw diabetes en waar u op moet letten. - Beperk de hoeveelheid zout die u gebruikt om voedsel te koken en die u aan maaltijden toevoegt nadat het is gekookt. - - Assistent - NU BIJWERKEN - OK, BEGREPEN - FEEDBACK VERZENDEN - UITLEZING TOEVOEGEN - Uw gewicht bijwerken - Zorg ervoor dat u uw gewicht bijwerkt, zodat Glucosio de meest accurate gegevens bevat. - Uw onderzoeks-opt-in bijwerken - U kunt altijd opteren voor het delen van diabetesonderzoeksgegevens, maar onthoud dat alle gedeelde gegevens volledig anoniem zijn. We delen alleen trends in demografie en glucosegehalten. - Categorieën maken - Glucosio bevat standaardcategorieën voor glucose-invoer, maar in de instellingen kunt u eigen categorieën maken die aan uw unieke behoeften voldoen. - Kijk hier regelmatig - Glucosio-assistent levert regelmatig tips en wordt continu verbeterd, dus kijk altijd hier voor nuttige acties die u kunt nemen om uw Glucosio-ervaring te verbeteren en voor andere nuttige tips. - Feedback verzenden - Als u technische problemen tegenkomt of feedback over Glucosio hebt, zien we graag dat u deze indient in het instellingenmenu om Glucosio te helpen verbeteren. - Een uitlezing toevoegen - Zorg ervoor dat u regelmatig uw glucose-uitlezingen toevoegt, zodat we kunnen helpen uw glucosegehalten in de loop der tijd bij te houden. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Voorkeursbereik - Aangepast bereik - Min. waarde - Max. waarde - NU PROBEREN - diff --git a/app/src/main/res/values-nn/google-playstore-strings.xml b/app/src/main/res/values-nn/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-nn/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-nn/strings.xml b/app/src/main/res/values-nn/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-nn/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-no/google-playstore-strings.xml b/app/src/main/res/values-no/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-no/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-no/strings.xml b/app/src/main/res/values-no/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-no/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-nr/google-playstore-strings.xml b/app/src/main/res/values-nr/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-nr/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-nr/strings.xml b/app/src/main/res/values-nr/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-nr/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-nso/google-playstore-strings.xml b/app/src/main/res/values-nso/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-nso/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-nso/strings.xml b/app/src/main/res/values-nso/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-nso/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-ny/google-playstore-strings.xml b/app/src/main/res/values-ny/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-ny/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-ny/strings.xml b/app/src/main/res/values-ny/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-ny/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-oc/google-playstore-strings.xml b/app/src/main/res/values-oc/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-oc/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-oc/strings.xml b/app/src/main/res/values-oc/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-oc/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-oj/google-playstore-strings.xml b/app/src/main/res/values-oj/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-oj/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-oj/strings.xml b/app/src/main/res/values-oj/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-oj/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-om/google-playstore-strings.xml b/app/src/main/res/values-om/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-om/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-om/strings.xml b/app/src/main/res/values-om/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-om/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-or/google-playstore-strings.xml b/app/src/main/res/values-or/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-or/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-or/strings.xml b/app/src/main/res/values-or/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-or/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-os/google-playstore-strings.xml b/app/src/main/res/values-os/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-os/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-os/strings.xml b/app/src/main/res/values-os/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-os/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-pa/google-playstore-strings.xml b/app/src/main/res/values-pa/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-pa/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-pa/strings.xml b/app/src/main/res/values-pa/strings.xml deleted file mode 100644 index a211cb39..00000000 --- a/app/src/main/res/values-pa/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - ਸੈਟਿੰਗ - ਫੀਡਬੈਕ ਭੇਜੋ - ਸੰਖੇਪ ਜਾਣਕਾਰੀ - ਇਤਿਹਾਸ - ਨੁਕਤੇ - ਹੈਲੋ। - ਹੈਲੋ। - ਵਰਤੋਂ ਦੀਆਂ ਸ਼ਰਤਾਂ। - ਮੈਂ ਵਰਤੋਂ ਦੀਆਂ ਸ਼ਰਤਾਂ ਨੂੰ ਪੜ੍ਹਿਆ ਅਤੇ ਸਵੀਕਾਰ ਕਰਦਾ ਹਾਂ - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - ਤੁਹਾਨੂੰ ਸ਼ੁਰੂ ਕਰਵਾਉਣ ਤੋਂ ਪਹਿਲਾਂ ਸਾਨੂੰ ਸਿਰਫ਼ ਕੁੱਝ ਚੀਜ਼ਾਂ ਦੀ ਜ਼ਰੂਰਤ ਹੈ। - ਦੇਸ਼ - ਉਮਰ - ਕਿਰਪਾ ਕਰਕੇ ਸਹੀ ਉਮਰ ਦਰਜ ਕਰੋ। - ਲਿੰਗ - ਮਰਦ - ਔਰਤ - ਹੋਰ - ਸ਼ੂਗਰ ਦੀ ਕਿਸਮ - ਕਿਸਮ 1 - ਕਿਸਮ 2 - ਤਰਜੀਹੀ ਇਕਾਈ - ਖੋਜ ਲਈ ਗੁਮਨਾਮ ਡਾਟਾ ਸਾਂਝਾ ਕਰੋ। - ਬਾਅਦ ਵਿੱਚ ਸੈਟਿੰਗਾਂ ਵਿੱਚ ਤੁਸੀਂ ਇਸ ਨੂੰ ਬਦਲ ਸਕਦੇ ਹੋ। - ਅੱਗੇ - ਸ਼ੁਰੂ ਕਰੋ - ਹਾਲੇ ਕੋਈ ਜਾਣਕਾਰੀ ਉਪਲਬਧ ਨਹੀਂ।\n ਇੱਥੇ ਆਪਣੀ ਪਹਿਲੀ ਰਿਡਿੰਗ ਸ਼ਾਮਲ ਕਰੋ। - ਖੂਨ ਵਿੱਚ ਗਲੂਕੋਜ਼ ਦਾ ਪੱਧਰ ਸ਼ਾਮਲ ਕਰੋ - ਮਾਤਰਾ - ਮਿਤੀ - ਸਮਾਂ - ਮਾਪਿਆ - ਨਾਸ਼ਤੇ ਤੋਂ ਪਹਿਲਾਂ - ਨਾਸ਼ਤੇ ਤੋਂ ਬਾਅਦ - ਦੁਪਹਿਰ ਦੇ ਖਾਣੇ ਤੋਂ ਪਹਿਲਾਂ - ਦੁਪਹਿਰ ਦੇ ਖਾਣੇ ਤੋਂ ਬਾਅਦ - ਰਾਤ ਦੇ ਖਾਣੇ ਤੋਂ ਪਹਿਲਾਂ - ਰਾਤ ਦੇ ਖਾਣੇ ਤੋਂ ਬਾਅਦ - ਆਮ - ਮੁੜ-ਜਾਂਚ ਕਰੋ - ਰਾਤ - ਹੋਰ - ਰੱਦ ਕਰੋ - ਸ਼ਾਮਲ ਕਰੋ - ਕਿਰਪਾ ਕਰਕੇ ਇੱਕ ਸਹੀ ਮੁੱਲ ਦਰਜ ਕਰੋ। - ਕਿਰਪਾ ਕਰਕੇ ਸਾਰੀਆਂ ਥਾਵਾਂ ਭਰੋ। - ਹਟਾਓ - ਸੋਧ ਕਰੋ - 1 ਰੀਡਿੰਗ ਹਟਾਈ - ਵਾਪਸ - ਆਖਰੀ ਜਾਂਚ: - ਪਿਛਲੇ ਮਹੀਨਾ ਦਾ ਰੁਝਾਨ: - ਹੱਦ ਵਿੱਚ ਅਤੇ ਸਿਹਤਮੰਦ - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - ਬਾਰੇ - ਵਰਜਨ - ਸੇਵਾ ਦੀਆਂ ਸ਼ਰਤਾਂ - ਕਿਸਮ - ਭਾਰ - ਮਨਪਸੰਦ ਮਾਪ ਵਰਗ - - ਜ਼ਿਆਦਾ ਤਾਜ਼ਾ ਖਾਓ, ਅਣ-ਪ੍ਰੋਸੈਸਡ ਖਾਣਾ ਕਾਰਬੋਹਾਈਡਰੇਟ ਅਤੇ ਖੰਡ ਲੈਣਾ ਘਟਾਉਣ ਵਿੱਚ ਸਹਾਇਤਾ ਕਰਦਾ। - ਕਾਰਬੋਹਾਈਡਰੇਟ ਅਤੇ ਖੰਡ ਲੈਣਾ ਕਾਬੂ ਕਰਨ ਲਈ ਪੈਕ ਹੋਏ ਖਾਣਿਆਂ ਅਤੇ ਪੀਣ ਵਾਲੀਆਂ ਚੀਜ਼ਾਂ ਦੇ ਪੋਸ਼ਟਿਕ ਲੇਬਲ ਪੜ੍ਹੋ। - ਜਦੋਂ ਬਾਹਰ ਖਾਣਾ ਖਾਓ, ਮੱਛੀ ਜਾਂ ਮੀਟ ਨੂੰ ਜਿਆਦਾ ਮੱਖਣ ਜਾਂ ਤੇਲ ਦੇ ਬਿਨਾਂ ਭੁੱਜਣ ਲਈ ਕਹੋ। - ਜਦੋਂ ਬਾਹਰ ਖਾਣਾ ਖਾਓ, ਘੱਟ ਸੋਡੀਅਮ ਵਾਲੇ ਪਕਵਾਨਾਂ ਬਾਰੇ ਪੁੱਛੋ। - ਜਦੋਂ ਬਾਹਰ ਖਾਣਾ ਖਾਓ, ਓਨੇ ਹੀ ਆਕਾਰ ਦੇ ਹਿੱਸੇ ਖਾਓ ਜਿੰਨੇ ਤੁਸੀਂ ਘਰ ਖਾਂਦੇ ਹੋ ਅਤੇ ਬਾਕੀ ਨੂੰ ਆਪਣੇ ਨਾਲ ਲੈ ਜਾਓ। - ਜਦੋਂ ਬਾਹਰ ਖਾਓ ਤਾਂ ਘੱਟ-ਕੈਲੋਰੀ ਚੀਜ਼ਾਂ ਬਾਰੇ ਪੁੱਛੋ, ਜਿਵੇਂ ਸਲਾਦ ਚਟਨੀਆਂ, ਭਾਵੇਂ ਉਹ ਮੀਨੂੰ ਵਿੱਚ ਨਾ ਹੋਣ। - ਜਦੋਂ ਬਾਹਰ ਖਾਣਾ ਖਾਓ ਵਟਾਂਦਰੇ ਬਾਰੇ ਪੁੱਛੋ, ਜਿਵੇਂ ਕਿ ਫ੍ਰੈਂਚ ਫ੍ਰਾਈਜ਼ ਦੀ ਥਾਂ ਤੇ, ਸਬਜ਼ੀਆਂ ਦੇ ਸਲਾਦ ਜਿਵੇਂ ਹਰੀਆਂ ਫਲ੍ਹਿਆਂ ਜਾਂ ਗੋਭੀ ਦੇ ਡਬਲ ਆਰਡਰ ਦੀ ਬੇਨਤੀ ਕਰੋ। - ਜਦੋਂ ਬਾਹਰ ਖਾਣਾ ਖਾਓ, ਉਸ ਭੋਜਨ ਦਾ ਆਰਡਰ ਕਰੋ ਜੋ ਡਬਲਰੋਟੀ ਜਾਂ ਤਲਿਆ ਨਾ ਹੋਵੇ। - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - ਸ਼ੂਗਰ ਫ੍ਰੀ ਦਾ ਅਸਲ ਮਤਲਬ ਬਿਲਕੁਲ ਖੰਡ ਨਾ ਹੋਣਾ ਨਹੀਂ ਹੈ। ਇਸ ਦਾ ਮਤਲਬ ਹਰੇਕ ਹਰੇਕ ਹਿੱਸੇ ਵਿੱਚ 0.5 ਗ੍ਰਾਮ ਖੰਡ ਹੈ, ਇਸ ਲਈ ਬਹੁਤ ਸਾਰੀਆਂ ਸ਼ੂਗਰ ਫ੍ਰੀ ਚੀਜ਼ਾਂ ਲੈਣ ਸਮੇਂ ਸੁਚੇਤ ਰਹੋ। - ਚੰਗਾ ਭਾਰ ਬਣਾਈ ਰੱਖਣਾ ਖੂਨ ਵਿੱਚ ਸ਼ੂਗਰ ਨੂੰ ਕਾਬੂ ਰੱਖਣ ਵਿੱਚ ਸਹਾਇਤਾ ਕਰਦਾ ਹੈ। ਤੁਹਾਡਾ ਡਾਕਟਰ, ਡਾਈਟੀਸ਼ੀਅਨ ਅਤੇ ਫਿਟਨੈੱਸ ਟ੍ਰੇਨਰ ਤੁਹਾਨੂੰ ਇੱਕ ਯੋਜਨਾ ਸ਼ੁਰੂ ਕਰਵਾ ਸਕਦਾ ਜੋ ਤੁਹਾਡੇ ਲਈ ਵਧੀਆ ਰਹੇਗੀ। - ਆਪਣੇ ਖੂਨ ਪੱਧਰ ਦੀ ਜਾਂਚ ਕਰਨਾ ਅਤੇ ਇਸ ਤੇ ਦਿਨ ਵਿੱਚ ਦੋ ਵਾਰ Glucosio ਵਰਗੀ ਐਪ ਨਾਲ ਨਜ਼ਰ ਰੱਖਣਾ ਭੋਜਨ ਅਤੇ ਜੀਵਨਸ਼ੈਲੀ ਪਸੰਦਾਂ ਦੇ ਨਤੀਜਿਆਂ ਦਾ ਧਿਆਨ ਰੱਖਣ ਵਿੱਚ ਸਹਾਇਤਾ ਕਰਦਾ ਹੈ। - ਪਿਛਲੇ 2 ਤੋਂ 3 ਮਹੀਨਿਆਂ ਵਿੱਚ ਆਪਣੇ ਖੂਨ ਵਿੱਚ ਔਸਤ ਸ਼ੂਗਰ ਪੱਧਰ ਦਾ ਪਤਾ ਲਗਾਉਣ ਲਈ A1c ਖੂਨ ਟੈਸਟ ਲਓ। ਤੁਹਾਡਾ ਡਾਕਟਰ ਤੁਹਾਨੂੰ ਦੱਸੇਗਾ ਕੀ ਤੁਹਾਨੂੰ ਇਹ ਟੈਸਟ ਨੂੰ ਕਿੰਨੀ ਵਾਰ ਕਰਵਾਉਣ ਦੀ ਲੋੜ ਪਵੇਗੀ। - ਤੁਸੀਂ ਕਿੰਨੇ ਕਾਰਬੋਹਾਈਡਰੇਟ ਲੈਂਦੇ ਹੋ ਇਸ ਤੇ ਨਜ਼ਰ ਰੱਖਣਾ ਉਨ੍ਹਾਂ ਹੀ ਜ਼ਰੂਰੀ ਹੈ ਜਿੰਨ੍ਹਾ ਖੂਨ ਦੇ ਪੱਧਰ ਦੀ ਜਾਂਚ ਕਰਨਾ ਕਿਉਂਕਿ ਕਾਰਬੋਹਾਈਡਰੇਟ ਖੂਨ ਵਿੱਚ ਸ਼ੂਗਰ ਦੇ ਪੱਧਰ ਤੇ ਅਸਰ ਪਾਉਂਦੇ ਹਨ। ਆਪਣੇ ਡਾਕਟਰ ਜਾਂ ਡਾਈਟੀਸ਼ੀਅਨ ਨਾਲ ਕਾਰਬੋਹਾਈਡਰੇਟ ਲੈਣ ਬਾਰੇ ਗੱਲਬਾਤ ਕਰੋ। - ਬਲੱਡ ਪ੍ਰੈਸ਼ਰ, ਕੋਲੈਸਟਰੋਲ ਅਤੇ ਟਰਾਈਗਲਿਸਰਾਈਡਸ ਦੇ ਪੱਧਰਾਂ ਨੂੰ ਕਾਬੂ ਰੱਖਣਾ ਜ਼ਰੂਰੀ ਹੈ ਕਿਉਂਕਿ ਸ਼ੂਗਰ ਦੇ ਮਰੀਜ਼ ਅਸਾਨੀ ਦਿਲ ਦੀਆਂ ਬੀਮਾਰੀਆਂ ਦੇ ਸ਼ਿਕਾਰ ਹੋ ਜਾਂਦੇ ਹਨ। - ਸਿਹਤਮੰਦ ਖਾਣ ਲਈ ਵੱਖ-ਵੱਖ ਤਰ੍ਹਾਂ ਦੇ ਭੋਜਨਾਂ ਦੀ ਵਰਤੋਂ ਅਤੇ ਆਪਣੇ ਸ਼ੂਗਰ ਦੇ ਨਤੀਜਿਆਂ ਵਿੱਚ ਸੁਧਾਰ ਕਰ ਸਕਦੇ ਹੋ। ਤੁਹਾਡੇ ਬਜਟ ਅਤੇ ਤੁਹਾਡੇ ਲਈ ਕੀ ਵਧੀਆ ਰਹੇਗਾ ਇਸ ਬਾਰੇ ਡਾਈਟੀਸ਼ੀਅਨ ਤੋਂ ਸਲਾਹ ਲਓ। - ਰੋਜ਼ਾਨਾ ਕਸਰਤ ਕਰਨਾ ਖ਼ਾਸ ਤੌਰ ਤੇ ਸ਼ੂਗਰ ਦੇ ਮਰੀਜਾਂ ਲਈ ਲਾਹੇਵੰਦ ਹੁੰਦਾ ਅਤੇ ਇੱਕ ਚੰਗਾ ਭਾਰ ਬਣਾਈ ਰੱਖਣ ਵਿੱਚ ਸਹਾਇਤਾ ਕਰਦਾ ਹੈ। ਆਪਣੇ ਡਾਕਟਰ ਨਾਲ ਕਸਰਤਾਂ ਬਾਰੇ ਗੱਲਬਾਤ ਕਰੋ ਜੋ ਤੁਹਾਡੇ ਲਈ ਢੁਕਵੀਆਂ ਹੋਣ। - ਨੀਂਦ ਦੀ ਕਮੀ ਕਾਰਨ ਤੁਸੀਂ ਜੰਕ ਫੂਡ ਵਰਗੀਆਂ ਚੀਜ਼ਾਂ ਜ਼ਿਆਦਾ ਖਾਂਦੇ ਹੋ ਜਿਸ ਨਾਲ ਤੁਹਾਡੀ ਸਿਹਤ ਤੇ ਮਾੜਾ ਅਸਰ ਪੈ ਸਕਦਾ ਹੈ। ਰਾਤ ਨੂੰ ਚੰਗੀ ਨੀਂਦ ਲੈਣਾ ਯਕੀਨੀ ਬਣਾਓ ਅਤੇ ਜੇਕਰ ਤੁਹਾਨੂੰ ਇਸ ਵਿੱਚ ਮੁਸ਼ਕਲ ਆ ਰਹੀ ਹੈ ਤਾਂ ਇੱਕ ਨੀਂਦ ਮਾਹਰ ਨਾਲ ਸਲਾਹ-ਮਸ਼ਵਰਾ ਕਰੋ। - ਤਣਾਅ ਦਾ ਸ਼ੂਗਰ ਤੇ ਮਾੜਾ ਪ੍ਰਭਾਵ ਪੈ ਸਕਦਾ ਆਪਣੇ ਡਾਕਟਰ ਜਾਂ ਹੋਰ ਸਿਹਤ ਦੇਖਭਾਲ ਪੇਸ਼ੇਵਰ ਨਾਲ ਤਣਾਅ ਨਾਲ ਨਜਿੱਠਣ ਬਾਰੇ ਗੱਲਬਾਤ ਕਰੋ। - ਸ਼ੂਗਰ ਮਰੀਜਾਂ ਲਈ ਸਾਲ ਵਿੱਚ ਇੱਕ ਵਾਰ ਆਪਣੇ ਡਾਕਟਰ ਕੋਲ ਜਾਣਾ ਅਤੇ ਸਾਰੇ ਸਾਲ ਦੌਰਾਨ ਲਗਾਤਾਰ ਸੰਪਰਕ ਵਿੱਚ ਰਹਿਣਾ ਜ਼ਰੂਰੀ ਹੈ ਇਹ ਸਿਹਤ ਸਮੱਸਿਆਵਾਂ ਨਾਲ ਸੰਬੰਧਤ ਕਿਸੇ ਵੀ ਤਰ੍ਹਾਂ ਦੇ ਅਚਾਨਕ ਹਮਲੇ ਨੂੰ ਰੋਕਦਾ ਹੈ। - ਆਪਣੇ ਡਾਕਟਰ ਦੀ ਤਜਵੀਜ਼ ਅਨੁਸਾਰ ਆਪਣੀ ਦਵਾਈ ਲਓ ਆਪਣੀ ਦਵਾਈ ਲੈਣ ਵਿੱਚ ਕੀਤੀਆਂ ਛੋਟੀਆਂ ਗਲਤੀਆਂ ਨਾਲ ਤੁਹਾਡੇ ਖੂਨ ਵਿੱਚ ਗਲੂਕੋਜ਼ ਦੇ ਪੱਧਰ ਤੇ ਅਸਰ ਅਤੇ ਹੋਰ ਮਾੜੇ ਪ੍ਰਭਾਵ ਪੈ ਸਕਦੇ ਹਨ। ਜੇਕਰ ਤੁਹਾਨੂੰ ਯਾਦ ਰੱਖਣ ਵਿੱਚ ਮੁਸ਼ਕਲ ਹੁੰਦੀ ਹੈ ਤਾਂ ਆਪਣੇ ਡਾਕਟਰ ਨੂੰ ਦਵਾਈ ਮੈਨੇਜਮੈਂਟ ਅਤੇ ਰੀਮਾਈਂਡਰ ਚੋਣਾਂ ਬਾਰੇ ਪੁੱਛੋ। - - - ਵੱਡੀ ਉਮਰ ਦੇ ਮਰੀਜ਼ਾਂ ਨੂੰ ਸ਼ੂਗਰ ਨਾਲ ਸੰਬੰਧਤ ਸਿਹਤ ਸਮੱਸਿਆਵਾਂ ਦਾ ਜੋਖਮ ਵੱਧ ਹੁੰਦਾ ਹੈ। ਆਪਣੇ ਡਾਕਟਰ ਨਾਲ ਗੱਲਬਾਤ ਕਰੋ ਕਿ ਤੁਹਾਡੀ ਸ਼ੂਗਰ ਵਿੱਚ ਤੁਹਾਡੀ ਉਮਰ ਕੀ ਭੂਮਿਕਾ ਨਿਭਾਉਂਦੀ ਹੈ ਅਤੇ ਕੀ ਧਿਆਨ ਰੱਖਣਾ ਚਾਹੀਦਾ ਹੈ। - ਤੁਹਾਡੇ ਵੱਲੋਂ ਖਾਣਾ ਬਣਾਉਣ ਸਮੇਂ ਅਤੇ ਖਾਣਾ ਬਣਾਉਣ ਤੋਂ ਬਾਅਦ ਪੈਣ ਵਾਲੇ ਲੂਣ ਦੀ ਮਾਤਰਾ ਨੂੰ ਘੱਟ ਕਰੋ। - - ਸਹਾਇਕ - ਹੁਣੇ ਅੱਪਡੇਟ ਕਰੋ - ਠੀਕ, ਸਮਝ ਗਿਆ - ਫੀਡਬੈਕ ਦਿਓ - ਰੀਡਿੰਗ ਜੋੜੋ - ਆਪਣਾ ਭਾਰ ਅੱਪਡੇਟ ਕਰੋ - ਆਪਣੇ ਭਾਰ ਨੂੰ ਅੱਪਡੇਟ ਕਰਨਾ ਯਕੀਨੀ ਬਣਾਓ ਤਾਂ ਕਿ Glucosio ਕੋਲ ਬਿਲਕੁਲ ਸਹੀ ਜਾਣਕਾਰੀ ਹੋਵੇ। - ਆਪਣੀ ਖੋਜ ਭਾਗੀਦਾਰੀ ਨੂੰ ਅੱਪਡੇਟ ਕਰੋ - ਤੁਸੀਂ ਹਮੇਸ਼ਾ ਸ਼ੂਗਰ ਖੋਜ ਸਾਂਝੇਦਾਰੀ ਵਿੱਚ ਭਾਗ ਲੈ ਜਾਂ ਬਾਹਰ ਹੋ ਸਕਦੇ ਹੋ, ਯਾਦ ਰੱਖੋ ਸਾਂਝਾ ਕੀਤਾ ਡਾਟਾ ਪੂਰੀ ਤਰ੍ਹਾਂ ਗੁਪਤ ਹੈ। ਅਸੀਂ ਸਿਰਫ਼ ਜਨ ਅਤੇ ਗਲੂਕੋਜ਼ ਪੱਧਰ ਰੁਝਾਨ ਸਾਂਝੇ ਕਰਦੇ ਹਾਂ। - ਵਰਗ ਬਣਾਓ - ਗਲੂਕੋਜ਼ ਇਨਪੁੱਟ ਲਈ Glucosio ਮੂਲ ਵਰਗਾਂ ਨਾਲ ਆਉਂਦਾ ਹੈ ਪਰ ਤੁਸੀਂ ਆਪਣੀਆਂ ਜ਼ਰੂਰਤਾਂ ਮੁਤਾਬਿਕ ਸੈਟਿੰਗਾਂ ਵਿੱਚ ਤਰਜੀਹੀ ਵਰਗ ਬਣਾ ਸਕਦੇ ਹੋ। - ਇੱਥੇ ਅਕਸਰ ਵੇਖੋ - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - ਫੀਡਬੈਕ ਭੇਜੋ - ਜੇਕਰ ਤੁਹਾਨੂ ਕੋਈ ਤਕਨੀਕੀ ਸਮੱਸਿਆ ਆਈ ਜਾਂ Glucosio ਬਾਰੇ ਫੀਡਬੈਕ ਭੇਜਣਾ ਚਾਹੁੰਦੇ ਹੋ Glucosio ਨੂੰ ਵਧੀਆ ਬਣਾਉਣ ਵਿੱਚ ਸਾਡੀ ਸਹਾਇਤਾ ਲਈ ਅਸੀਂ ਤੁਹਾਨੂੰ ਇਸ ਨੂੰ ਸੈਟਿੰਗ ਮੀਨੂੰ ਤੋਂ ਭੇਜਣ ਲਈ ਉਤਸ਼ਾਹਿਤ ਕਰਦੇ ਹਾਂ। - ਰੀਡਿੰਗ ਸ਼ਾਮਲ ਕਰੋ - ਨਿਯਮਿਤ ਤੌਰ ਤੇ ਆਪਣੀ ਗਲੋਕੂਜ਼ ਰੀਡਿੰਗ ਸ਼ਾਮਲ ਕਰਨਾ ਯਕੀਨੀ ਬਣਾਓ ਤਾਂ ਕੀ ਅਸੀਂ ਤੁਹਾਡੀ ਗਲੂਕੋਜ਼ ਪੱਧਰਾਂ ਤੇ ਨਜ਼ਰ ਰੱਖਣ ਵਿੱਚ ਸਹਾਇਤਾ ਕਰ ਸਕੀਏ। - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - ਤਰਜੀਹੀ ਸੀਮਾ - ਮਨਪਸੰਦ ਸੀਮਾ - ਘੱਟੋ-ਘਂੱਟ ਮੁੱਲ - ਵੱਧੋ-ਵੱਧ ਮੁੱਲ - TRY IT NOW - diff --git a/app/src/main/res/values-pam/google-playstore-strings.xml b/app/src/main/res/values-pam/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-pam/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-pam/strings.xml b/app/src/main/res/values-pam/strings.xml deleted file mode 100644 index eaf5f29a..00000000 --- a/app/src/main/res/values-pam/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Mga Setting - Magpadala ng feedback - Overview - Kasaysayan - Mga Tip - Mabuhay. - Mabuhay. - Terms of Use. - Nabasa ko at tinatanggap ang Terms of Use - Ang mga nilalaman ng Glucosio website at apps, lahat ng mga teksto, larawan, imahen at iba pang materyal (\"Content\") ay inilathala para sa impormasyon lamang. Ang mga nasabing nilalaman at hindi maaring gamit sa pangpropesyunal na payong pangmedikal, pagsusuri o kagamutan. Lahat ng gumagamit ng Glucosio ay hinihikayat na magpasuri sa mga doktor o mga tagapayong pangkalusugan sa anumang katanungan hingil sa inyong sakit.\n Walang pananagutan ang Glucosio team, volunteers at mga nilalaman sa aming website sa paggamit ng aming produkto. - Kinakailangan namin ang ilang mga bagay bago tayo makapagsimula. - Bansa - Edad - Paki-enter ang tamang edad. - Kasarian - Lalaki - Babae - Iba - Uri ng diabetes - Type 1 - Type 2 - Nais na unit - Ibahagi ang anonymous data para sa pagsasaliksik. - Maaari mong palitan ang mga settings na ito mamaya. - SUSUNOD - MAGSIMULA - Walang impormasyon na nakatala. \n Magdagdag ng iyong unang reading dito. - Idagdag ang Blood Glucose Level - Konsentrasyon - Petsa - Oras - Sukat - Bago mag-agahan - Pagkatapos ng agahan - Bago magtanghalian - Pagkatapos ng tanghalian - Bago magdinner - Pagkatapos magdinner - Pangkabuuan - Suriin muli - Gabi - Iba pa - KANSELAHIN - IDAGDAG - Mag-enter ng tamang value. - Paki-punan ang lahat ng mga fields. - Burahin - I-edit - Binura ang 1 reading - I-UNDO - Huling pagsusuri: - Trend sa nakalipas na buwan: - nasa tamang sukat at ikaw ay malusog - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - Tungkol sa - Bersyon - Terms of use - Uri - Weight - Custom na kategorya para sa mga sukat - - Kumain ng mga sariwa at hindi processed na mga pagkain para makaiwas sa carbohydrate at asukal. - Basahing mabuti ang nutritional label sa mga packaged food at beverages para makontrol ang lebel ng asukal at carbohydrate sa kinakain. - Kung kakain sa labas, kumain ng isda o nilagang karne na walang mantikilya o mantika. - Kapag kumakain sa labas, kumuha ng mga low sodium na pagkain. - Kung kakain sa labas, siguraduhing ang dami ng iyong kakainin ay katulad lamang ng pagkain mo kung ikaw ay nasa bahay at huwag mag-uuwi ng mga tira. - Kung kakain sa labas, kumuha ng mga pagkaing mababa sa calorie, tulad ng salad dressings, kahit na ang mga ito ay wala sa menu. - Kung kakain sa labas, magtanong ng mga substitutions. Halimbawa, sa halip na kumain ng French Fries, kumuha ng dalawang order ng gulay tulad ng salad, green beans at repolyo. - Kung kakain sa labas, kumuha ng pagkaing hindi breaded or pinirito. - Kung kakain sa labas, humingi ng mga sauce, gravy at salad dressings bilang pang-ulam. - Hindi ibig sabihin na kapag ang isang bagay ay sugar free, wala na itong asukal. Ang ibig nitong sabihin ay mayroon lamang ito na 0.5 grams (g) ng asukal sa bawat serving, kaya mag-ingat at kumain lamang ng tamang pagkain na nagsasabing sila ay sugar free. - Ang pagkakaroon ng tamang timbang at nakatutulong sa pagkontrol ng blood sugar. Alamin ang tamang pamamaraan mula sa inyong doktor. - Ang pagsusuri ng iyong blood level at pagtatala nito sa app na katulad ng Glucosio dalawang beses sa isang araw ay makatutulong para magkaron ng mabuting pagpili sa mga kinakain at pamumuhay. - Magpakuha ng A1c blood test para malaman ang iyong blood sugar average sa nagdaang 2 hanggang 3 buwan. Sasabihin sa iyo ng iyong doktok kung gaano kadalas mo dapat ginawa ang ganitong pagsusuri. - Ang pagtatala kung ilang carbohydrates ang nasa iyong pagkain ay kasing halaga ng pagsusuri ng iyong blood levels, dahil ito ay nakaaapekto sa bawat isa. Kausapin ang iyong manggagamot para sa nararapat ng carbohydrate intake. - Ang pag-control ng iyong blood pressure, cholesterol at triglyceride levels ay mahalaga dahil ang mga diabetiko ay mas malaki ang tsansang magkasakit sa puso. - May iba\'t-ibang pamamaraan sa pagdidiyeta para makatulong na ikaw ay maging malusog at makontrol ang iyong diabetes. Kumunsulta sa isang dietician para malaman kung ano ang pinakamabuting pamamaraan ng pagdidiyeta na pasok sa iyong budget. - Ang palagiang pag-eehersisyo ay mahalaga sa mga diabetiko para mapanatili ang tamang timbang. Kumunsulta sa inyong doktor para malaman ang tamang ehersisyo sa iyo. - Kung kulang ka sa tulog, ito ay magiging sanhi para ikaw ay kumain nang mas marami at kumain ng mga junk foods na hindi maganda sa iyong kalusugan. Siguraduhing may sapat na oras ng tulog sa gabi. Sumangguni sa espesyalista kung kinakailangan. - May malaking epekto ang stress sa mga diabetiko. Kumunsulta sa inyong doktor para malaman kung paano malalabanan ang stress. - Ang pagbisita sa iyong doktor at palagiang kuminikasyon sa kaniya sa loob ng buong taon ay mahalaga para sa mga may diabetes para maiwasan ang paglubha ng iyong sakit. - Palagiang uminom ng gamot base sa payo ng inyong doktor. Ang pagliban sa pag-inom ng gamot ay may malaking epekto sa iyong blood glucose level. Kumunsulta sa inyong doktor para malaman ang pinakaepektibong pamamaraan na hindi mo malilimutang uminom ng gamot sa oras. - - - May epekto ang edad ng isang diabetiko. Kumunsulta sa inyong doktor para malaman kung anu-ano ang dapat gawin ng isang diabetikong may edad na. - Siguraduhing kakaunti lamang ang asin sa pagkaing niluluto o ang paggamit nito habang kumakain. - - Assistant - I-UPDATE NGAYON - OK - I-SUBMIT ANG FEEDBACK - MAGDAGDAG NG READING - I-update ang iyong timbang - Siguraduhing tama ang iyong timbang para makapagbigay ng mas angkop na impormasyon ang Glucosio. - I-update ang iyong research opt-in - Maaari kang hindi mapabilang sa aming diabetes research sharing kung iyong nanaisin. Lahat ng impormasyon na aming nilalagap ay anonymous at hinding-hindi namin ito ipamimigay kanino man. - Gumawa ng mga kategorya - Ang Glucosio ay mga kategoryang kalakip para sa glucose input, ngunit maaari kang gumawa ng sarili mong kategorya kung nanaisin. - Pumunta dito ng madalas - Nagbibigay ang Glucosio assistant ng mga payo kung paano gaganda ang iyong kalusugan at kung paano mo makukuha ang benepisyo ng paggamit ng Glucosio. - I-submit ang feedback - Kung may mga katanungang pangteknikal or may mga puna at suhesyon para sa Glucosio, pumunta sa settings menu. - Magdagdag ng reading - Siguraduhing palaging magdagdag ng iyong glucose readings para ikaw matulungan naming i-track ang iyong glucose levels. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-pap/google-playstore-strings.xml b/app/src/main/res/values-pap/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-pap/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-pap/strings.xml b/app/src/main/res/values-pap/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-pap/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-pcm/google-playstore-strings.xml b/app/src/main/res/values-pcm/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-pcm/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-pcm/strings.xml b/app/src/main/res/values-pcm/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-pcm/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-pi/google-playstore-strings.xml b/app/src/main/res/values-pi/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-pi/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-pi/strings.xml b/app/src/main/res/values-pi/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-pi/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-pl/google-playstore-strings.xml b/app/src/main/res/values-pl/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-pl/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-pl/strings.xml b/app/src/main/res/values-pl/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-pl/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-ps/google-playstore-strings.xml b/app/src/main/res/values-ps/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-ps/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-ps/strings.xml b/app/src/main/res/values-ps/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-ps/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-pt/google-playstore-strings.xml b/app/src/main/res/values-pt/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-pt/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-pt/strings.xml b/app/src/main/res/values-pt/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-pt/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-qu/google-playstore-strings.xml b/app/src/main/res/values-qu/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-qu/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-qu/strings.xml b/app/src/main/res/values-qu/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-qu/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-quc/google-playstore-strings.xml b/app/src/main/res/values-quc/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-quc/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-quc/strings.xml b/app/src/main/res/values-quc/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-quc/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-qya/google-playstore-strings.xml b/app/src/main/res/values-qya/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-qya/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-qya/strings.xml b/app/src/main/res/values-qya/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-qya/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-rm/google-playstore-strings.xml b/app/src/main/res/values-rm/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-rm/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-rm/strings.xml b/app/src/main/res/values-rm/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-rm/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-rn/google-playstore-strings.xml b/app/src/main/res/values-rn/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-rn/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-rn/strings.xml b/app/src/main/res/values-rn/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-rn/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-ro/google-playstore-strings.xml b/app/src/main/res/values-ro/google-playstore-strings.xml deleted file mode 100644 index 17b65145..00000000 --- a/app/src/main/res/values-ro/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio este o aplicatie centrată pe utilizator, gratuită şi open source, pentru persoanele cu diabet zaharat - Folosind Glucosio, puteţi introduce şi urmări nivelurile de glucoză din sânge, sprijini anonim cercetarea diabetului contribuind date demografice şi tendinţe anonimizate ale nivelului de glucoză, şi obţine sfaturi utile prin intermediul asistentului nostru. Glucosio respectă confidenţialitatea şi sunteţi mereu în controlul datelor dvs. - * Centrat pe utilizator. Aplicațiile Glucosio sunt construite cu caracteristici şi un design care se potriveşte nevoilor utilizatorului şi suntem în mod constant deschisi la feedback pentru a ne îmbunătăţi. - * Open-Source. Aplicațiile Glucosio dau libertatea de a folosi, copia, studia, şi schimba codul sursă pentru oricare dintre aplicațiile noastre şi chiar de a contribui la proiect Glucosio. - * Gestionare date. Glucosio vă permite să urmăriţi şi să gestionaţi datele de diabet zaharat printr-o interfaţă intuitivă, modernă, construită cu feedback-ul de la diabetici. - * Ajută cercetarea. Aplicațiile Glucosio dau utilizatorilor posibilitatea de a opta pentru schimbul de date anonimizate despre diabet şi informaţii demografice cu cercetătorii. - Vă rugăm să trimiteţi orice bug-uri, probleme sau cereri de caracteristici la: - https://github.com/glucosio/android - Detalii: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-ro/strings.xml b/app/src/main/res/values-ro/strings.xml deleted file mode 100644 index e4fcb486..00000000 --- a/app/src/main/res/values-ro/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Setări - Trimite feedback - General - Istoric - Ponturi - Salut. - Salut. - Termeni de folosire - Am citit și accept termenii de folosire - Conținutul site-ului și applicațiilor Glucosio, cum ar fi textul, graficele, imaginile și alte materiale (”Conținut”) sunt doar cu scop informativ. Conținutul nu este un înlocuitor la sfatul medicului, diagnostic sau tratament. Ne încurajăm utilizatorii să caute ajutorul medicului când vine vorba de orice afecțiune. Nu ignorați sfatul medicului sau amânați căutarea lui din cauza a ceva ce ați citit pe site-ul sau aplicațiile Glucosio. Site-ul, blogul și wiki-ul Glucosio și alte resurse accesibile prin navigator (”Site-ul”) ar trebuii folosite doar în scopurile menționate mai sus.\n Încrederea în orice informație asigurată de Glucosio, membrii echipei Glucosio, voluntari și alții, apărută pe Site sau în aplicațiile noastre este pe riscul dumneavoastră. Site-ul și Conținutul sunt furnizate pe principiul \"ca atare\". - Avem nevoie de doar câteva lucruri rapide înainte de a începe. - Țară - Vârsta - Te rog introdu o vârsta validă. - Sex - Masculin - Feminin - Altul - Tipul diabetului - Tip 1 - Tip 2 - Unitatea preferată - Patajează date în mod anonim pentru cercetare. - Poți schimba aceste setări mai târziu. - URMĂTORUL - CUM SĂ ÎNCEPI - Nu avem informații disponibile momentan. \n Adaugă prima înregistrare aici. - Adaugă Nivelul Glucozei în Sânge - Concentrație - Dată - Ora - Măsurat - Înainte de micul dejun - După micul dejun - Înainte de prânz - După prânz - Înainte de cină - După cină - General - Re-verifică - Noapte - Altul - RENUNȚĂ - ADAUGĂ - Te rog introdu o valoare validă. - Te rog completează toate câmpurile. - Șterge - Modifică - O înregistrare ștearsă - ANULEAZĂ - Ultima verificare: - Tendința pe ultima lună: - în medie și sănătos - Lună - Zi - Săptămâna - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - Despre - Versiunea - Termeni de folosire - Tip - Greutate - Categorie de măsurare proprie - - Mănâncă mai multă mâncare proaspătă, neprocesată pentru a reduce carbohidrații și zaharurile. - Citește eticheta de pe mâncare si băutură pentru a controla aportul de carbohidrați și zaharuri. - Când mănânci în oraș, cere pește sau carne fiartă fără adaos de unt sau ulei. - Când mănânci în oraș, cere preparate cu conținut scăzut de sodiu. - Când mănânci în oraș, mănâncă aceeaşi porţie ca și acasă şi ia restul la pachet. - Când mănânci în oraș cere înlocuitori cu calorii puține, cum ar fi sosul pentru salată, chiar dacă nu sunt pe meniu. - Când mănânci în oraș cere schimbări în meniu. În loc de cartofi prăjiți, cere o porție dublă de legume, ca salată, mazăre verde sau broccoli. - Când mănânci în oraș cere mâncăruri care nu sunt cu pesmet sau prăjite. - Când mănânci în oraș cere ca sosurile să fie aduse separat. - Fără zahăr nu înseamnă chiar fără zahăr. Înseamnă 0.5 grame (g) de zahăr per porție, așa că ai grijă să nu faci exces de produse fără zahăr. - O greutate sănătoasă ajută la controlul zaharurilor din sânge. Doctorul, dieteticianul și instructorul de fitness te poate ajuta să faci un plan care funcționează pentru tine. - Verificarea nivelului glucozei în sânge și înregistrarea lui într-o aplicație ca Glucosio de două ori pe zi te va ajuta să vezi rezultatele pe care le au alegerile tale legate de mâncare și stilul de viață. - Fă testul de sânge A1c ca să aflii media glucozei în sânge pentru ultimele 2-3 luni. Doctorul ar trebuii să îți spună cât de des va trebuii să faci testul acesta. - Nivelul carbohidraților consumați poate fi la fel de important ca verificarea nivelului zaharurilor in sânge deoarece carbohidrații influențează nivelul glucozei în sânge. Consultă doctorul sau nutriționistul despre consumul de carbohidrați. - Măsurarea tensiunii, colesterolului și trigliceridelor este importantă deoarece diabeticii sunt predispuși problemelor cardiace. - Sunt câteva diete pe care le poți urma pentru a mânca mai sănătos si pentru a te ajuta să îți ameliorezi starea diabetului. Consultă un nutriționist pentru a vedea ce dietă ți se potrivește. - Exercițiile fizice regulate sunt foarte importante pentru diabetici și pot ajuta la menținerea unei greutăți sănătoase. Vorbește cu doctorul despre exercițiile care sunt indicate pentru tine. - Insomniile pot crește pofta de mâncare, în special mâncare nesănătoasă si ca un rezultat îți pot afecta negativ sănătatea. Ai grijă să dormi suficient și să consulți un specialist daca ai probleme cu somnul. - Stresul poate avea un impact negativ asupra diabetului. Vorbește cu doctorul sau cu un terapeut despre reducerea stresului. - Vizita medicală o data pe an si comunicarea cu doctorul pe parcursul anului este importantă pentru diabetici pentru a preveni orice apariție bruscă a problemelor medicale asociate cu diabetul. - Ia tratamentul așa cum a fost prescris de doctor, chiar și cele mai mici abateri pot afecta nivelul glucozei în sânge si pot cauza alte efecte secundare. Dacă ai probleme cu memoria cere-i doctorului sfaturi despre cum sa îți organizezi tratamentul și ce poți face ca să îți amintești mai usor. - - - Persoanele diabetice în vârstă pot avea un risc mai mare pentru problemele de sănătate asociate cu diabetul. Vorbește cu doctorul despre cum vârsta joacă un rol in diabet și cum să îl monitorizezi. - Limitează cantitatea de sare pe care o folosești când gătesti sau pe care o adaugi în mâncare după ce a fost gătită. - - Asistent - Actualizaţi acum - OK, AM ÎNȚELES - TRIMITE FEEDBACK - ADAUGĂ ÎNREGISTRARE - Actualizați greutatea dumneavoastră - Asiguraţi-vă că actualizați greutatea dumneavoastră, astfel încât Glucosio să aibă informaţii cât mai precise. - Actualizați opțiunea pentru cercetare - Puteţi întotdeauna opta pentru a ajuta studiul de cercetare a diabetului, dar țineti minte că toate datele sunt anonime. Împărtăşim numai date demografice şi tendinţele nivelului de glucoză. - Crează categorii - Glucosio vine cu categorii implicite pentru glucoză, dar puteţi crea categorii particularizate în setări pentru a se potrivi nevoilor dumneavoastră unice. - Reveniți des - Asistentul Glucosio oferă sfaturi regulate şi se va îmbunătăți, astfel încât întotdeauna reveniți aici pentru acţiuni utile pe care puteţi lua pentru a îmbunătăţi experienţa dumneavoastră Glucosio şi pentru alte sfaturi utile. - Trimite feedback - Dacă găsiţi orice probleme tehnice sau aveți feedback despre Glucosio vă recomandăm să-l trimiteți prin meniul de setări, pentru a ne ajuta să îmbunătăţim Glucosio. - Adauga o înregistrare - Asiguraţi-vă că adăugați în mod regulat înregistrările dumneavoastră de glucoză, astfel încât să vă putem ajuta să urmăriți nivelurile glucozei în timp. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Gamă preferată - Gamă proprie - Valoare minimă - Valoare maximă - ÎNCEARCĂ ACUM - diff --git a/app/src/main/res/values-ru/google-playstore-strings.xml b/app/src/main/res/values-ru/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-ru/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-ru/strings.xml b/app/src/main/res/values-ru/strings.xml deleted file mode 100644 index d6efa786..00000000 --- a/app/src/main/res/values-ru/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Настройки - Отправить отзыв - Общие сведения - История - Подсказки - Привет. - Привет. - Условия использования. - Я прочитал условия использования и принимаю их - Содержание веб-сайта и приложения Glucosio, такие как текст, графика, изображения и другие материалы (\"Содержание\") предназначены только для информационных целей. Указанное содержание не является заменой профессиональной медицинской консультации, диагноза или лечения. Мы советуем пользователям Glucosio всегда обращаться за консультацией к врачу или другому квалифицированному специалисту в случае возникновения любых вопросов касательно состояния их здоровья. Никогда не отказывайтесь от профессиональных медицинских рекомендаций и не откладывайте визит к врачу из-за того, что вы что-то прочитали на веб-сайте Glucosio или в нашем приложении. Веб-сайт Glucosio, блог, вики и другое содержание, открываемое веб-браузером, (\"Веб-сайт\") предназначены только для указанного выше использования.\n Вы полагаетесь на информацию, предоставляемую Glucosio, членами команды Glucosio, волонтёрами и другими пользователями Веб-сайта или нашего приложения на свой страх и риск. Веб-сайт и Содержание предоставляются \"как есть\". - Для того, чтобы начать, нам нужны некоторые сведения. - Страна - Возраст - Пожалуйста, введите возраст правильно. - Пол - Мужской - Женский - Другое - Тип диабета - Тип 1 - Тип 2 - Предпочитаемые единицы измерения - Поделиться анонимными данными для исследований. - Позже вы можете изменить свои настройки. - ДАЛЬШЕ - НАЧАТЬ - Информация пока не доступна. \n Добавьте сюда ваши первые данные. - Добавить уровень глюкозы в крови - Концентрация - Дата - Время - Измерено - До завтрака - После завтрака - До обеда - После обеда - До ужина - После ужина - Общее - Повторная проверка - Ночь - Другое - ОТМЕНА - ДОБАВИТЬ - Введите корректное значение. - Пожалуйста, заполните все поля. - Удалить - Правка - 1 запись удалена - ОТМЕНИТЬ - Последняя проверка: - Тенденция по данным прошлого месяца: - в норме - Месяц - День - Неделя - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - О нас - Версия - Условия использования - Тип - Вес - Собственные категории измерений - - Ешьте больше свежих, необработанных продуктов, это поможет снизить потребление углеводов и сахара. - Читайте этикетки на упакованных продуктах и напитках, чтобы контролировать потребление сахара и углеводов. - Если едите вне дома, спрашивайте рыбу или мясо, обжаренные без дополнительного сливочного или растительного масла. - Когда едите вне дома, спрашивайте блюда с низким содержанием натрия. - Когда едите вне дома, ешьте те же порции, которые вы едите дома, а остатки можете забрать с собой. - Когда едите вне дома, спрашивайте низкокалорийную еду, например листья салата, даже если их нет в меню. - Когда едите вне дома, спрашивайте замену. Вместо картофеля фри попросите двойную порцию таких овощей как салат, зелёные бобы или брокколи. - Когда едите вне дома, не заказывайте жаренную еду и еду в панировке. - Когда едите вне дома, просите разместить соус, подливку и листья салата с краю тарелки. - \"Без сахара\" не означает, что сахара нет. Это означает, что в порции содержится 0,5 грамм сахара, поэтому будьте внимательны, не ешьте много сахаросодержащих продуктов. - Нормализация веса помогает контролировать сахар в крови. Ваш доктор, диетолог и фитнес-тренер помогут вам разработать план нормализации веса. - Проверяйте уровень сахара в крови и отслеживайте его с помощью специальных приложений, таких как Glucosio, дважды в день, это поможет вам разобраться в еде и образе жизни. - Сделайте анализ крови A1c, чтобы узнать средний уровень сахара в крови за 2-3 месяца. Ваш врач должен рассказать вам, как часто следует сдавать такой анализ. - Отслеживание потребляемых углеводов может быть столь же важно, как и проверка уровня сахара в крови, поскольку углеводы влияют на уровень глюкозы в крови. Обсудите с вашим врачом или диетологом ваше потребление углеводов. - Контролирование кровяного давления, уровня холестерина и триглицеридов имеет важное значение, поскольку диабетики подвержены болезням сердца. - Существует несколько вариантов диеты, с их помощью вы можете есть более здоровую пищу, это поможет вам контролировать свой диабет. Спросите диетолога о том, какая диета лучше подойдёт вам и вашему бюджету. - Регулярные физические упражнения особенно важны для диабетиков, поскольку они помогают поддерживать нормальный вес. Обсудите с вашим врачом то, какие упражнения вам больше всего подходят. - Недосып приводит к перееданию (особенно нездоровой пищей), что плохо отражается на вашем здоровье. Хорошо высыпайтесь по ночам. Если же вас беспокоят проблемы со сном, обратитесь к специалисту. - Стресс оказывает отрицательное влияние на диабетиков. Обсудите с вашим врачом или другим специалистом то, как справляться со стрессом. - Ежегодные посещения врача и поддержание связи с ним всё время очень важно для диабетиков, это позволит предотвратить любую резкую вспышку болезни. - Принимайте лекарства по назначению вашего врача, даже небольшие пропуски в приёме лекарств могут оказать влияние на уровень сахара в крови, а также иметь и другие эффекты. Если вам сложно помнить о приёме лекарств, спросите вашего врача о существующих возможностях напоминания. - - - Пожилые диабетики более подвержены риску возникновения проблем со здоровьем. Обсудите с вашим врачом то, как ваш возраст влияет на заболевание диабетом, и чего вам следует опасаться. - Ограничьте количество соли в приготовляемой вами еде. Также ограничьте количество соли, которое вы добавляете в уже приготовленную еду. - - Помощник - ОБНОВИТЬ СЕЙЧАС - ХОРОШО, Я ПОНЯЛ - ОТПРАВИТЬ ОТЗЫВ - ДОБАВИТЬ ДАННЫЕ - Обновите свой вес - Убедитесь, что вы обновили свой вес, и у Glucosio имеется наиболее точная информация. - Обновить согласие на участие в исследованиях - Вы можете принять участие в исследовании диабета или отказаться от такого участия, все данных полностью анонимны. Мы делимся только демографическими данными и данными об уровне глюкозы в крови. - Создайте категории - Glucosio содержит категории по умолчанию, но в настройках вы можете создать собственные категории так, чтобы они подходили под ваши нужды. - Регулярно обращайтесь сюда - Помощник Glucosio предоставляет регулярные советы. Мы работаем над усовершенствованием нашего помощника, поэтому обращайтесь сюда за советами, которые вы сможете использовать для того, чтобы получить большую пользу от Glucosio, а также за другими полезными советами. - Отправьте отзыв - Если вы обнаружите какие-либо технические проблемы или захотите отправить отзыв о работе Glucosio, вы можете сделать это в меню настроек. Это поможет нам улучшить Glucosio. - Добавить данные - Регулярно вводите данные об уровне глюкозы, в течением времени это поможет вам отслеживать уровень глюкозы. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Предпочтительный диапазон - Собственный диапазон - Минимальное значение - Максимальное значение - ПОПРОБОВАТЬ ПРЯМО СЕЙЧАС - diff --git a/app/src/main/res/values-rw/google-playstore-strings.xml b/app/src/main/res/values-rw/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-rw/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-rw/strings.xml b/app/src/main/res/values-rw/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-rw/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-ry/google-playstore-strings.xml b/app/src/main/res/values-ry/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-ry/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-ry/strings.xml b/app/src/main/res/values-ry/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-ry/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-sa/google-playstore-strings.xml b/app/src/main/res/values-sa/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-sa/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-sa/strings.xml b/app/src/main/res/values-sa/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-sa/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-sat/google-playstore-strings.xml b/app/src/main/res/values-sat/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-sat/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-sat/strings.xml b/app/src/main/res/values-sat/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-sat/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-sc/google-playstore-strings.xml b/app/src/main/res/values-sc/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-sc/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-sc/strings.xml b/app/src/main/res/values-sc/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-sc/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-sco/google-playstore-strings.xml b/app/src/main/res/values-sco/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-sco/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-sco/strings.xml b/app/src/main/res/values-sco/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-sco/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-sd/google-playstore-strings.xml b/app/src/main/res/values-sd/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-sd/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-sd/strings.xml b/app/src/main/res/values-sd/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-sd/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-se/google-playstore-strings.xml b/app/src/main/res/values-se/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-se/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-se/strings.xml b/app/src/main/res/values-se/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-se/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-sg/google-playstore-strings.xml b/app/src/main/res/values-sg/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-sg/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-sg/strings.xml b/app/src/main/res/values-sg/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-sg/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-sh/google-playstore-strings.xml b/app/src/main/res/values-sh/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-sh/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-sh/strings.xml b/app/src/main/res/values-sh/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-sh/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-si/google-playstore-strings.xml b/app/src/main/res/values-si/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-si/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-si/strings.xml b/app/src/main/res/values-si/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-si/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-sk/google-playstore-strings.xml b/app/src/main/res/values-sk/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-sk/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-sk/strings.xml b/app/src/main/res/values-sk/strings.xml deleted file mode 100644 index 9bc1a5e9..00000000 --- a/app/src/main/res/values-sk/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Možnosti - Odoslať spätnú väzbu - Prehľad - História - Tipy - Ahoj. - Ahoj. - Podmienky používania. - Prečítal som si a súhlasím s Podmienkami používania - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Krajina - Vek - Prosím zadajte správny vek. - Pohlavie - Muž - Žena - Iné - Typ cukrovky - Typ 1 - Typ 2 - Preferovaná jednotka - Zdieľať anonymne údaje pre výskum. - Tieto nastavenia môžete neskôr zmeniť. - ĎALEJ - ZAČÍNAME - No info available yet. \n Add your first reading here. - Pridať hladinu glukózy v krvi - Koncentrácia - Dátum - Čas - Namerané - Pred raňajkami - Po raňajkách - Pred obedom - Po obede - Pred večerou - Po večeri - Všeobecné - Znovu skontrolovať - Noc - Ostatné - ZRUŠIŤ - PRIDAŤ - Prosím, zadajte platnú hodnotu. - Vyplňte prosím všetky položky. - Odstrániť - Upraviť - odstránený 1 záznam - SPÄŤ - Posledná kontrola: - Trend za posledný mesiac: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - O programe - Verzia - Podmienky používania - Typ - Weight - Vlastné kategórie meraní - - Jedzte viac čerstvých, nespracovaných potravín, pomôžete tak znížiť príjem sacharidov a cukrov. - Čítajte informácie o nutričných hodnotách na balených potravinách a nápojoch pre kontrolu príjmu sacharidov a cukrov. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - Pri stravovaní mimo domov nejedzte obalované, alebo vysmážané jedlá. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Obmedzte množstvo soli, ktorú používate pri varení a ktorú pridávate do jedla po dovarení. - - Asistent - AKTUALIZOVAŤ TERAZ - OK, GOT IT - ODOSLAŤ SPÄTNÚ VÄZBU - PRIDAŤ MERANIE - Aktualizujte vašu hmotnosť - Uistite sa, aby bola vaša váha vždy aktuálna, aby mal Glucosio čo najpresnejšie údaje. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Vytvoriť kategórie - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Odoslať spätnú väzbu - Ak nájdete nejaké technické problémy, alebo nám chcete zanechať spätnú väzbu o Glucosio odporúčame vám ju odoslať cez položku v nastaveniach. Pomôžete tak vylepšiť Glucosio. - Pridať meranie - Uistite sa, aby ste pravidelne pridávali hodnoty hladiny glykémie tak, aby sme vám mohli pomôcť priebežne sledovať hladiny glukózy. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-sl/google-playstore-strings.xml b/app/src/main/res/values-sl/google-playstore-strings.xml deleted file mode 100644 index 36ee0de6..00000000 --- a/app/src/main/res/values-sl/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio, sladkornim bolnikom namenjena aplikacije, je brezplačna in odprto kodna rešitev - Z uporabo Glucosio, lahko vnašate in spremljate ravni glukoze v krvi, s posredovanjem demografskih in anonimnih gibanj glukoze anonimno podpirate raziskave o diabetesu in prebirate uporabne nasvete našega pomočnika. Glucosio spoštuje vašo zasebnost in vam vedno daje nadzor nad vašimi podatki. - * Posvečeno uporabniku. Aplikacija Glucosio je narejena z funkcijami in oblikovanjem, ki ustreza uporabnikovim potrebam in jo stalno izboljšujemo glede na vaše povratne informacije. - * Odprto kodna. Glucosio aplikacija vam daje svobodo pri uporabi, kopiranju, preučevanju in spreminjanju izvorne kode v naših aplikacijah, da lahko prispevate k Glucosio projektu. - * Urejanje podatkov. Glucosio vam omogoča, da sledite in urejate podatke vašega diabetesa na intuitivnem, sodobnem vmesniku, kjer boste prejeli povratne informacije drugih diabetikov. - * Podprite raziskave. Glucosio aplikacija uporabnikom daje možnost, da lahko z raziskovalci anonimno delijo podatke diabetesa in demografske podatke. - Vse napake, težave ali želje nam sporočite na: - https://github.com/glucosio/android - Več informacij: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-sl/strings.xml b/app/src/main/res/values-sl/strings.xml deleted file mode 100644 index 9e328647..00000000 --- a/app/src/main/res/values-sl/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Nastavitve - Pošljite povratne informacije - Pregled - Zgodovina - Nasveti - Dobrodošli. - Dobrodošli. - Pogoji uporabe. - Sprejmem pogoje uporabe - Vsebina spletne strani Glucosio in aplikacij, besedilo, grafike, slike in ostali material (\"Content\") so informativne narave. Vsebina ni namenjena kot nadomestilo za strokovni zdravniški nasvet, diagnozo ali zdravljenje. Uporabnike Glucosio storitev spodbujamo, da se vedno posvetujejo z zdravnikom ali drugim usposobljenim zdravstvenim osebjem o vseh vprašanjih, ki bi jih imeli o svojem zdravstvenem stanju. Ne ignorirajte strokovnega zdravniškega nasveta in ne odlašajte iskanje pomoči zaradi nečesa, kar ste prebrali na spletni strani Glucosio ali v naših aplikacijah. Spletna stran Glucosio, blog, Wiki stran in ostala vsebina, ki je dostopna spletnim brskalnikom (\"Website\") je namenjena samo za opisane namene.\n Zanašanje na katero koli informacijo, ki jo je posredovalo podjetje Glucosio, člani ekipe Glucosio, prostovoljci in drugi osebe, ki objavljajo na spletni strani ali aplikacijah, je izključno vaša lastna odgovornost. Stran in vsebina so na voljo \"tako kot so\". - Preden začnete, potrebujemo nekaj podatkov. - Država - Starost - Vnesite veljavno starost. - Spol - Moški - Ženska - Ostalo - Sladkorna bolezen tipa - Tip 1 - Tip 2 - Želena enota - Delite anonimne podatke za raziskave. - Spremenite lahko spremenite kasneje. - NASLEDNJI - ZAČNI - Informacije še niso na voljo. \n Dodajte svojo prvo meritev. - Dodaj raven glukoze v krvi - Koncentracija - Datum - Ura - Izmerjene vrednosti - Pred zajtrkom - Po zajtrku - Pred kosilom - Po kosilu - Pred večerjo - Po večerji - Splošno - Ponovno - Noč - Ostalo - PREKLIČI - DODAJ - Vnesite veljavno vrednost. - Prosimo, izpolnite vsa polja. - Izbriši - Uredi - 1 meritev je bila izbrisana - RAZVELJAVI - Zadnja meritev: - Spremembe v zadnjem mesecu: - v obsegu in zdravju - Mesec - Dan - Teden - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - Vizitka - Različica - Pogoji uporabe - Tip - Teža - Uporabnikove kategorije merjenja - - Uživajte več sveže, neobdelane hrane. S tem boste zmanjšali vnos ogljikovih hidratov in sladkorja. - Preberite oznako na pakiranih živilih in pijači in se seznanite z vnosom sladkorja in ogljikovih hidratov. - Ko jeste zunaj, prosite za ribo ali meso, ki je pečeno brez dodatnega masla ali olja. - Ko jeste zunaj, vprašajte, če imajo jedi z nizko vsebnostjo natrija. - Ko jeste zunaj, pojejte enako porcijo kot doma in odnesite ostanke s seboj. - Ko jeste zunaj, prosite za nizkokalorične dodatke, kot je solatni preliv, tudi, če ni napisan na meniju. - Ko jeste zunaj, vprašajte, če je možna menjava. Namesto pečenega krompirčka vzemite dvojno zelenjavno prilogo, solato, stročji fižol ali brokoli. - Ko jeste zunaj, naročite hrano, ki ni panirana ali ocvrta. - Ko jeste zunaj, vprašajte za omake in solatne prelive, ki jih nimajo v meniju. - Oznaka brez sladkorja ne pomeni, da je izdelek brez dodanega sladkorja. Pomeni 0,5 g sladkorja na porcijo, zato bodite previdni, da si ne privoščite preveč izdelkov brez sladkorja. - Strmenje k zdravi telesni teži vam bo pomagalo nadzirati krvni sladkor. Vaš zdravnik, dietni svetovalec in fitnes trener vam lahko pripravijo načrt, ki vam bo pomagal na vaši poti. - Preverjajte raven sladkorja v krvi in jo dvakrat dnevno beležite z aplikacijo kot je Glucosio. To vam bo pomagalo, da se boste zavedali vpliva hrane in življenjskega stila. - Pridobite si A1c krvne teste in ugotovite vašo povprečno raven sladkorja v krvi za pretekle 2 do 3 mesece. Vaš zdravnik vam bo povedal, kako pogosto morate te teste opravljati. - Spremljanje količine zaužitih ogljikovih hidratov je tako pomembno kot preverjanje količine sladkorja v krvi, saj nanjo vplivajo ogljikovi hidrati vplivajo. O vnosu ogljikovih hidratov se pogovorite s svojim zdravnikom ali dietnim svetovalcem. - Nadzorovanje krvnega tlaka, holesterola in trigliceridov je pomembno, saj ste diabetiki bolj dovzetni za bolezni srca. - Obstaja več diet in pristopov, kako jesti bolj zdravo in kako zmanjšati vplive sladkorne bolezni. Poiščite nasvet strokovnjaka za diete, kaj bi bilo najboljše za vas in za vaš proračun. - Redna vadbe je za sladkorne bolnike izrednega pomena, saj vam pomaga vzdrževati pravilno telesno težo. S svojim osebnim zdravnikom se pogovorite, katere vaje so primerne za vas. - Pomanjkanje spanja lahko vodi v povečanje apetita in posledično v hranjenje s hitro pripravljeno hrano, kar lahko negativno vpliva na vaše zdravje. Zagotovite si dober spanec in se posvetujte s strokovnjakom, če imate težave. - Stres ima lahko negativen vpliv na diabetes. O obvladovanju stresa se pogovorite s svojim zdravnikom ali drugim zdravstvenim osebjem. - Redni letni obiski zdravnika in pogosta komunikacija skozi celo leto je za diabetike pomembna in preprečuje nenadne zdravstvene težave. - Zdravila, ki vam jih je predpisal zdravnik, morate jemati redno, tudi, če pride do manjših odstopanj v ravni sladkorja v krvi ali povzročajo druge stranske učinke. Če imate težave, se posvetujte s svojim zdravnikom o morebitni zamenjavi zdravil. - - - Starejši diabetiki so zaradi diabetesa lahko bolj podvrženi zdravstvenim težavam. Pogovorite se s svojim zdravnikom, kako vaša starost vpliva na vaš diabetes in na kaj morate paziti. - Omejite količino soli uporabljate pri kuhanju in ki jo dodajate že pripravljenim jedem. - - Pomočnik - POSODOBI ZDAJ - V REDU - POŠLJI POVRATNO INFORMACIJO - DODAJ MERITEV - Posodobite svojo težo - Poskrbite, da redno posodabljate svojo težo, tako, da ima aplikacija Glucosio točne informacije. - Posodobitev vaše raziskave - Vedno lahko izbirate, če želite za namene raziskav svoje podatke deliti. Vsi podatki, ki jih delite so popolnoma anonimni. Posredujemo samo demografske podatke in gibanje sladkorja v krvi. - Ustvari kategorije - Aplikacija Glucosio ima privzete kategorije za vnos glukoze, vendar si lahko ustvarite svoje lastne kategorije in jih v nastavitvah uredite, da bodo ustrezale vašim potrebam. - Pogosto preverite - Asistent v aplikaciji Glucosio vam redno ponuja nasvete. Ker se zavedamo pomembnosti, ga bomo redno nadgrajevali, zato ga večkrat preverite in se seznanite z nasveti, ki bodo omogočili boljšo uporabniško izkušnjo in vam bili v dodatno pomoč. - Pošlji povratno informacijo - Če boste imeli katero koli tehnično vprašanje ali povratno informacijo, vas prosimo, da nam jo pošljete preko menija v nastavitvah. Samo tako bomo lahko aplikacijo Glucosio redno izboljševali. - Dodaj meritev - Poskrbite, da redno dodajate vaše odčitke glukoze, da vam lahko pomagamo slediti vaši ravni glukoze. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Zaželen obseg - Uporabnikov obseg - Najmanjša vrednost - Največja vrednost - Preizkusite - diff --git a/app/src/main/res/values-sma/google-playstore-strings.xml b/app/src/main/res/values-sma/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-sma/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-sma/strings.xml b/app/src/main/res/values-sma/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-sma/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-sn/google-playstore-strings.xml b/app/src/main/res/values-sn/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-sn/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-sn/strings.xml b/app/src/main/res/values-sn/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-sn/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-so/google-playstore-strings.xml b/app/src/main/res/values-so/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-so/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-so/strings.xml b/app/src/main/res/values-so/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-so/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-son/google-playstore-strings.xml b/app/src/main/res/values-son/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-son/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-son/strings.xml b/app/src/main/res/values-son/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-son/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-sq/google-playstore-strings.xml b/app/src/main/res/values-sq/google-playstore-strings.xml deleted file mode 100644 index 06b5c928..00000000 --- a/app/src/main/res/values-sq/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Duke përdorur Glucosio, ju mund të fusni dhe të gjurmoni nivelet e glukozës në gjakë, të mbështesni në mënyrë anonime kërkimet rreth diabetit duke kontribuar me trendet demografike dhe anonime të glukozës, si edhe të merni këshilla të vlefshme nëpërmjet asistentit tonë. Glukosio respekton privatësin tuaj dhe ju jeni gjithmon në kontroll të të dhënave tuaja. - Përdoruesi i vënë në qëndër. Aplikacionet e Glukosio janë të ndërtuara me mjete dhe me një dizajn që përputhet me kërkesat e përdoruesit dhe ne jemi gjithmonë të hapur për sugjerime për përmirësime të mëtejshme. - Me kod burimi të hapur. Aplikacionet e Glukosio ju japin juve lirinë që të përdorni, kopjoni, studioni dhe ndryshoni kodin burim të secilit nga aplikacionet tona dhe madje edhe të kontribuoni në projektin Glukosio. - Menaxho të dhënat. Glukosio ju lejonë që të gjurmoni dhe menaxhoni të dhënat tuaja të diabetit nga një ndërfaqje intuitive dhe moderne e ndërtuar me sugjerimet e diabetikëve. - Mbështet kërkimin. Aplikacionet e Glukosio i japin përdoruesëve mundësin që të futen dhe të shpërndajnë në mënyrë anonime me kërkuesit të dhënat e tyre për diabitin dhe informacionet demografike. - Ju lutem plotësoni të metat, problemet ose kërkesat për mjete të tjera te: - https://github.com/glucosio/android - Më shume detaje: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-sq/strings.xml b/app/src/main/res/values-sq/strings.xml deleted file mode 100644 index 0152b8a7..00000000 --- a/app/src/main/res/values-sq/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Parametrat - Dërgo përshtypjet - Pasqyra - Historia - Këshilla - Përshëndetje. - Përshëndetje. - Termat e Përdorimit. - I kam lexuar dhe i pranoj Termat e Përdorimit - Përmbajtja e websitit dhe aplikacioneve Glucosio, si teksti, grafikët, imazhet dhe materiale të tjera janë vetëm për qëllime informuese. Përmbajtja nuk ka si synim të jetë një zëvëndësim i këshillave profesionale mjekësore, diagnozave apo trajtimit. Ne i inkurajojmë përdoruesit e Glucosio që gjithmonë të kërkojnë këshillën e mjekut ose të personave të tjerë të kualifikuar për çështjtet e shëndetit për pyetjet që ata mund të kenë rreth gjëndjes së tyre shëndetësore. Kurrë nuk duhet ta shpërfillni këshillën mjekësore të një profesionisti ose të mos e kërkoni atë për shkak të diçkaje që keni lexuar në websitin e Glucoson ose në ndonjë nga aplikacionet tona. Websiti i Glucosio, Blogu, Wiki, dhe përmbajtje të tjera të arritshme nëpërmjet kërkimit në web duhet të përdoren vetëm për qëllimet e përshkruara më sipër. Besimi te çdo informacion i siguruar nga Glucosio, antarët e skuadrës së Glucosio, vullnetarët dhe personat e tjerë që shfaqen në site ose ne aplikacionet tona është vetëm në dorën tuaj. Siti dhe Përmbajtja ju sigurohen me baza \"siç është\". - Na duhen vetëm disa gjëra të vogla para se të fillojmë. - Vendi - Mosha - Ju lutem vendosni një moshë të vlefshme. - Gjinia - Mashkull - Femër - Tjetër - Lloji i diabetit - Lloji 1 - Lloji 2 - Njësia e preferuar - Kontribo me të dhëna anonime për kërkime shkencore. - Mund t\'i ndryshoni këto në parametrat më vonë. - Tjetri - FILLO - Nuk ka ende informacione në dispozicion. Shtoni leximin tuaj të parë këtu. - Shto Nivelin e Glukozës në Gjak - Përqendrimi - Data - Koha - E matur - Para mëngjesit - Pas mëngjesit - Para drekës - Pas drekës - Para darkës - Pas darkës - Të përgjithshme - Kontrollo përsëri - Natë - Tjetër - ANULLO - SHTO - Ju lutemi shtoni një vlerë të vlefshme. - Ju lutem plotësoni të gjitha fushat. - Fshij - Edito - 1 lexim u fshi - RIKTHE - Shikimi i fundit: - Tendenca në muajin e fundit: - brenda kufinjve dhe i shëndetshëm - Muaj - Dita - Java - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - Rreth nesh - Versioni - Termat e përdorimit - Tipi - Pesha - Kategoria e matjeve të zakonshme - - Hani ushqime të freskëta dhe të papërpunuara për të ndihmuar reduktimin e karbohidrateve dhe të nivelit të sheqerit. - Lexoni etiketën e ushqimeve dhe pijeve të paketuara për të kontrolluar marrjen e sheqerit dhe karbohidrateve. - Kur të hani jashtë, kërkoni për peshk ose mish të pjekur pa gjalp ose vaj shtesë. - Kur të hani jashtë, kërkoni ushqime me nivel të ulët natriumi. - Kur të hani jashtë, hani vakte me të njëjtën sasi sa do hanit edhe në shtëpi dhe pjesën e mbetur merreni me vete. - Kur të hani jashtë kërkoni për artikuj me kalori të ulëta, si salcat për sallatën edhe nëse ato nuk janë në menu. - Kur të hani jashtë kërkoni për zëvëndësime. Në vend të patateve të skuqura, kërkoni një porosi në sasi të dyfishtë me perime si sallata, bishtaja ose brokoli. - Kur të hani jashtë, porosisni ushqime që nuk janë të thata ose të skuqura. - Kur të hani jashtë kërkoni për salca, leng mishi dhe sallatën anës. - Pa sheqer nuk do të thotë me të vërtetë pa sheqer. Do të thotë 0.5 gram (g) sheqer për çdo vakt, kështu që tregohuni të kujdesshëm që të mos e teproni me shumë artikuj pa sheqer. - Të arrish një peshë të shëndetshme ndihmon në kontrollin e nivelit të sheqerit në gjak. Doktori juaj, dietologu dhe trajneri i fitnesit mund te te prezantojnë me nje plan që do funksionojë për ju. - Të kontrollosh nivelin e substancave në gjak dhe ta gjurmosh atë me një aplikacion si Glucosio dy herë në ditë, do ju ndihmojë të jeni të ndërgjegjshëm për rezultatet e ushqimit dhe të stilit tuaj të jetesës. - Bëni testet A1c të gjakut për të zbuluar nivelin mesatar të sheqerit në gjak për 2 deri në 3 muajt e fundit. Doktori juaj duhet t\'ju tregojë sesa shpesh ky test duhet të kryhet. - Gjurmimi i sasisë së karbohidrateve që konsumoni mund të jetë po aq e rëndësishme sa kontrolli i nivelit të substancave në gjak pasi karbohidratet influencojnë ndjeshëm nivelin e glikozës në gjak. Flisni me një doktor ose me një dietolog për marrjen e karbohidrateve. - Kontrolli i presionit të gjakut, kolesterolit dhe nivelit të triglicerideve është e rëndësishme pasi diabetikët janë të predispozuar për sëmundjet e zemrës. - Ka disa dieta të përafërta që mund të ndiqni për të ngrënë në mënyrë të shëndetshme dhe për të përmirësuar rezultatet e diabetit. Kërkoni këshilla nga një dietolog për atë që do të ishte më e mira për ju dhe buxhetin tuaj. - Të punosh për të bërë ushtrime rregullisht është vecanërisht e rëndësishme për diabetikët dhe mund të ndihmoj për te mbajtur një peshë të shëndetshme. Flisni me mjekun tuaj për ushtrimet që do jenë të përshtatshme për ju. - Pagjumësia mund tju bëjë të konsumoni ushqime të gatshme dhe si rezultat mund mund të ketë një impakt negativ në shëndetin tuaj. Siguroheni që të bëni një gjumë të mirë gjatë natës dhe këshillohuni me një specialist nëse këni vështirësi. - Stresi mund të ketë një impakt negativ për diabetin, flisni me mjekun tuaj ose me një specialist tjetër të kujdesit për shëndetin për të përballuar stresin. - Të shkuarit te doktori të paktën një herë vit dhe të paturit një komunikim të rregullt gjatë vitit është e rëndësishme për diabetikët për të parandaluar çdo fillim të papritur të problemeve shëndetësore. - Merrini ilaçet tuaja siç i rekomandon mjeku juaj, edhe gabimet më të vogla me dozat mund të ndikojnë në nivelin e glukozës në gjak dhe të shkaktojnë efekte të tjera anësore. Nëse keni vështirësi me të mbajturit mend, pyesni doktorin tuaj ne lidhje me menaxhimin e mjekimit dhe opsioneve për të kujtuar. - - - Të moshuarit me diabet kanë një risk më të lartë për probleme shëndetësore të lidhura me diabetin. Flisni me doktorin tuaj sesi ndikon mosha në diabet dhe nga çfarë të keni kujdes. - Limitoni sasinë e kripës që përdorni gjatë gatimit të ushqimit dhe atë që i shtoni vaktit pasi ai është gatuar. - - Ndihmës - Përditëso tani - OK, E KUPTOVA - DËRGO PËRSHTYPJET - SHTO LEXIM - Përditëso peshën - Sigurohuni që të përditësoni peshën në mënyrë që Glucosio të ketë informacionet më të sakta. - Përditësoni kërkimin opt-in tuajin - Ju gjithmonë mund të keni mundësi për opt-in ose opt-out nga shpërndarja e kërkimeve për diabetin, por kujtoni që të gjitha të dhënat e shpërdara janë plotësisht anonime. Ne shpërndajm vetëm trendet demografike dhe nivelet e glukozës. - Krijo kategori - Glucosio vjenë me kategori të parazgjedhura për inputet e glukozës por ju mund të krijoni kategori të zakonshme tek parametrat që të përputhen me nevojat tuaja të veçanta. - Kontrolloni këtu shpesh - Ndihmësi nga Glucosio siguron këshilla të rregullta dhe do vazhdojë të përmirësohet, kështu që gjithmonë kontrolloni këtu për veprime të dobishme që mund të kryeni për të përmirësuar eksperiencën tuaj me Glucosio dhe për këshilla të tjera të dobishme. - Dërgo komente - Nëse keni ndonjë problem teknik ose doni të ndani përshtypjen tuaj rreth Glucosio ne ju inkurajojm që ti dërgoni ato në menun e parametrave në mënyrë që të na ndihmoni që ta përmirësojmë Glucosion. - Shto një lexim - Sigurohuni që ti shtoni rregullisht leximet tuaja rreth glukozës në mënyrë që ne të mund t\'ju ndihmojm të gjurmoni nivelet tuaja të glukozës me kalimin e kohës. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Gama e preferuar - Shtrirja e zakonshme - Vlera minimale - Vlera maksimale - Provoje tani - diff --git a/app/src/main/res/values-sr/google-playstore-strings.xml b/app/src/main/res/values-sr/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-sr/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-sr/strings.xml b/app/src/main/res/values-sr/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-sr/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-ss/google-playstore-strings.xml b/app/src/main/res/values-ss/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-ss/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-ss/strings.xml b/app/src/main/res/values-ss/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-ss/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-st/google-playstore-strings.xml b/app/src/main/res/values-st/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-st/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-st/strings.xml b/app/src/main/res/values-st/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-st/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-su/google-playstore-strings.xml b/app/src/main/res/values-su/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-su/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-su/strings.xml b/app/src/main/res/values-su/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-su/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-sv/google-playstore-strings.xml b/app/src/main/res/values-sv/google-playstore-strings.xml deleted file mode 100644 index 94747d0f..00000000 --- a/app/src/main/res/values-sv/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio är en användarcentrerad gratisapp med öppen källkod för personer med diabetes - Genom att använda Glucosio, kan du registrera och spåra blodsockernivåer, anonymt stödja diabetesforskningen genom att bidra med demografiska och anonyma glukostrender och få användbara tips via vår assistent. Glucosio respekterar din integritet och du har alltid kontroll över dina data. - * Användarcentrerad. Glucosio appar byggs med funktioner och en design som matchar användarens behov och vi är ständigt öppna för återkoppling för förbättringar. - * Öppen källkod. Glucosio appar ger dig friheten att använda, kopiera, studera och ändra källkoden för någon av våra appar och även bidra till projektet Glucosio. - * Hantera Data. Med Glucosio kan du spåra och hantera dina diabetesdata från ett intuitivt, modernt gränssnitt byggt med feedback från diabetiker. - * Stödja forskning. Glucosio appar ger användarna möjlighet att välja om de vill dela anonymiserade diabetesuppgifter och demografisk information med forskare. - Vänligen skicka in eventuella buggar, frågor eller önskemål om funktioner på: - https://github.com/glucosio/android - Fler detaljer: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-sv/strings.xml b/app/src/main/res/values-sv/strings.xml deleted file mode 100644 index 31cd2da7..00000000 --- a/app/src/main/res/values-sv/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Inställningar - Skicka feedback - Översikt - Historik - Tips - Hallå. - Hallå. - Användarvillkor. - Jag har läst och accepterar användarvillkoren - Innehållet på Glucosios hemsida och appar, såsom text, grafik, bilder och annat material (\"innehållet\") är endast i informationssyfte. Innehållet är inte avsett att vara en ersättning för professionell medicinsk rådgivning, diagnos eller behandling. Vi uppmuntrar Glucosio-användare att alltid rådfråga sin läkare eller annan kvalificerad hälsoleverantör med eventuella frågor du har om ett medicinskt tillstånd. Aldrig bortse från professionell medicinsk rådgivning eller försening i söker det på grund av något du läst på Glucosio hemsida eller i våra appar. Glucosio hemsida, blogg, Wiki och andra web browser tillgängligt innehåll (\"webbplatsen\") bör användas endast för det ändamål som beskrivs ovan. \n förlitan på information som tillhandahålls av Glucosio, Glucosio medlemmar, volontärer och andra som förekommer på webbplatsen eller i våra appar är enbart på egen risk. Webbplatsen och innehållet tillhandahålls på grundval av \"som är\". - Vi behöver bara några få enkla saker innan du kan sätta igång. - Land - Ålder - Ange en giltig ålder. - Kön - Man - Kvinna - Annat - Diabetestyp - Typ 1 - Typ 2 - Önskad enhet - Dela anonym data för forskning. - Du kan ändra detta i inställningar senare. - Nästa - Kom igång - Ingen information tillgänglig ännu. \n Lägg till dina första värden här. - Lägg till blodsockernivå - Koncentration - Datum - Tid - Uppmätt - Före frukost - Efter frukost - Innan lunch - Efter lunch - Innan middagen - Efter middagen - Allmänt - Kontrollera igen - Natt - Annat - Avbryt - Lägg till - Ange ett giltigt värde. - Vänligen fyll i alla fält. - Ta bort - Redigera - 1 avläsning borttagen - Ångra - Senaste kontroll: - Trend under senaste månaden: - i intervallet och hälsosam - Månad - Day - Vecka - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - Om - Version - Användarvillkor - Typ - Vikt - Anpassad mätkategori - - Ät mer färska, obearbetade livsmedel för att minska intaget av kolhydrater och socker. - Läs näringsetiketten på förpackningar för mat och drycker för att kontrollera socker och kolhydrater. - När man äter ute, be om fisk eller kött kokt utan extra smör eller olja. - När man äter ute, fråga om de har maträtter med låg natriumhalt. - När man äter ute, ät samma portionsstorlekar som du skulle göra hemma och ta med resterna hem. - När man äter ute be om mat med lågt kaloriinnehåll, såsom salladsdressing, även om det inte finns på menyn. - När man äter ute be om att byta ut mat. I stället för pommes frites, begär en dubbel beställning av en grönsak som sallad, gröna bönor eller broccoli. - När man äter ute, beställ mat som inte är panerad eller stekt. - När man äter ute be om såser, brunsås och salladsdressing \"på sidan.\" - Sockerfritt betyder egentligen inte sockerfritt. Det innebär 0,5 gram (g) av socker per portion, så var noga med att inte frossa i alltför många sockerfria produkter. - På väg mot en hälsosam vikt hjälper det att kontrollera blodsockret. Din läkare, en dietist och en tränare kan komma igång med en plan som fungerar för dig. - Kontrollera din blodnivå och spåra den i en app som Glucosio två gånger om dagen, det kommer att hjälpa dig att bli medveten om resultaten från mat och livsstilsval. - Få A1c blodprover för att ta reda på din genomsnittliga blodsocker under de senaste två till tre månader. Läkaren bör tala om för dig hur ofta detta test kommer att behövas för att utföras. - Spårning hur många kolhydrater du förbrukar kan vara lika viktigt som att kontrollera blodnivåer eftersom kolhydrater påverkar blodsockernivåerna. Tala med din läkare eller dietist om kolhydratintag. - Styra blodtryck, kolesterol och triglyceridnivåer är viktigt eftersom diabetiker är mottagliga för hjärtsjukdom. - Det finns flera dietmetoder du kan vidta för att äta hälsosammare och bidra till att förbättra din diabetesresultat. Rådgör med en dietist om vad som fungerar bäst för dig och din budget. - Att arbeta på att få regelbunden motion är särskilt viktigt för dem med diabetes och kan hjälpa dig att behålla en hälsosam vikt. Tala med din läkare om övningar som kan vara lämpliga för dig. - Att ha sömnbrist kan få dig att äta mer, speciellt saker som skräpmat och som ett resultat kan det negativt påverka din hälsa. Var noga med att få en god natts sömn och konsultera en sömnspecialist om du har problem. - Stress kan ha en negativ inverkan på diabetes, prata med din läkare eller annan sjukvårdspersonal om att hantera stress. - Besök din läkare en gång om året och har regelbunden kommunikation under hela året är viktigt för att diabetiker ska förhindra plötsliga tillhörande hälsoproblem. - Ta din medicin som ordinerats av din läkare även små missar i din medicin kan påverka din blodsockernivå och orsaka andra biverkningar. Om du har svårt att minnas fråga din läkare om hantering av medicin och påminnelsealternativ. - - - Äldre diabetiker kan löpa större risk för hälsofrågor i samband med diabetes. Tala med din läkare om hur din ålder spelar en roll i din diabetes och vad man ska titta efter. - Begränsa mängden salt du använder för att laga mat och att som du lägger till måltider efter den har tillagats. - - Assistent - Uppdatera nu - Ok, fick den - Skicka in feedback - Lägg till värden - Uppdatera din vikt - Se till att uppdatera din vikt så att Glucosio har en mer exakt information. - Uppdatera din forskning om du vill vara med - Du kan alltid vara med eller inte vara med vid delning av diabetesforskningen, men kom ihåg alla uppgifter som delas är helt anonyma. Vi delar bara demografi och glukosnivå trender. - Skapa kategorier - Glucosio levereras med standardkategorier för glukos-indata, men du kan skapa egna kategorier i inställningarna för att matcha dina unika behov. - Kolla här ofta - Glucosio assistent ger regelbundna tips och kommer att fortsätta att förbättras, så kontrolera alltid här för nyttiga åtgärder som du kan vidta för att förbättra din erfarenhet av Glucosio och andra användbara tips. - Skicka in feedback - Om du hittar några tekniska problem eller har synpunkter om Glucosio rekommenderar vi att du skickar in den i inställningsmenyn för att hjälpa oss att förbättra Glucosio. - Lägga till ett värde - Var noga med att regelbundet lägga till dina glukosvärden så att vi kan hjälpa dig att spåra dina glukosnivåer över tiden. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Standardintervall - Anpassat intervall - Minvärde - Maxvärde - Prova det nu - diff --git a/app/src/main/res/values-sw/google-playstore-strings.xml b/app/src/main/res/values-sw/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-sw/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-sw/strings.xml b/app/src/main/res/values-sw/strings.xml deleted file mode 100644 index 0ffceb21..00000000 --- a/app/src/main/res/values-sw/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Mazingira - Send feedback - Taswira - Historia - Vidokezi - Habari. - Habari. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - Tunahitaji tu mambo machache ya haraka kabla ya wewe kuanza. - Country - Umri - Tafadhali andika umri halali. - Jinsia - Mwanamume - Mwanamke - Nyengine - Aina ya ugonjwa wa kisukari - Aina ya kwanza - Aina ya pili - Kitengo unayopendelea - Kushiriki data bila majina kwa ajili ya utafiti. - Unaweza kubadilisha mazingira haya baadaye. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Ongeza kiwango cha Glucose katika damu - Ukolezi - Tarehe - Wakati - Tulipima - Kabla ya kifungua kinywa - Baada ya kifungua kinywa - Kabla ya chakula cha mchana - Baada ya chakula cha mchana - Kabla ya chakula cha jioni - Baada ya chakula cha jioni - General - Recheck - Night - Other - GHAIRI - ONGEZA - Please enter a valid value. - Tafadhali jaza maeneo yote. - Futa - Hariri - Usomaji 1 imefutwa - Tengua - Mwisho kuangalia: - Mwenendo zaidi ya mwezi uliopita: - katika mbalimbali na afya njema - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-syc/google-playstore-strings.xml b/app/src/main/res/values-syc/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-syc/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-syc/strings.xml b/app/src/main/res/values-syc/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-syc/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-ta/google-playstore-strings.xml b/app/src/main/res/values-ta/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-ta/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-ta/strings.xml b/app/src/main/res/values-ta/strings.xml deleted file mode 100644 index db5a3961..00000000 --- a/app/src/main/res/values-ta/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - அமைவுகள் - பின்னூட்டங்களை அனுப்பு - Overview - வரலாறு - குறிப்புகள் - வணக்கம். - வணக்கம். - பயன்பாட்டு முறைமை. - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - நாடு - வயது - சரியான வயதை உள்ளிடவும். - பாலினம் - ஆண் - பெண் - மற்ற - Diabetes type - வகை 1 - வகை 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - அடுத்து - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - தேதி - நேரம் - Measured - காலை உணவிற்க்கு முன் - காலை உணவிற்க்கு பின் - மதிய உணவிற்க்கு முன் - மதிய உணவிற்க்கு பின் - Before dinner - After dinner - பொதுவான - Recheck - இரவு - மற்ற - இரத்து செய் - சேர் - Please enter a valid value. - Please fill all the fields. - அழி - தொகு - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-tay/google-playstore-strings.xml b/app/src/main/res/values-tay/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-tay/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-tay/strings.xml b/app/src/main/res/values-tay/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-tay/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-te/google-playstore-strings.xml b/app/src/main/res/values-te/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-te/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-te/strings.xml b/app/src/main/res/values-te/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-te/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-tg/google-playstore-strings.xml b/app/src/main/res/values-tg/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-tg/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-tg/strings.xml b/app/src/main/res/values-tg/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-tg/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-th/google-playstore-strings.xml b/app/src/main/res/values-th/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-th/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-th/strings.xml b/app/src/main/res/values-th/strings.xml deleted file mode 100644 index 67f4e00f..00000000 --- a/app/src/main/res/values-th/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - ตั้งค่า - ส่งคำติชม - ภาพรวม - ประวัติ - เคล็ดลับ - สวัสดี - สวัสดี - เงื่อนไขการใช้ - ฉันได้อ่านและยอมรับเงื่อนไขการใช้งาน - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - ประเทศ - อายุ - กรุณาระบุอายุที่ถูกต้อง - เพศ - ชาย - หญิง - อื่น ๆ - ชนิดของโรคเบาหวาน - ชนิดที่ 1 - ชนิดที่ 2 - หน่วยที่ต้องการ - แบ่งปันข้อมูลนิรนามเพิ่อการวิจัย - คุณสามารถเปลี่ยนการตั้งค่าเหล่านี้ในภายหลัง - ถัดไป - เริ่มต้นใช้งาน - ข้อมูลไม่เพียงพอ \n ป้อนข้อมูลของคุณที่นี่ - เพิ่มค่าระดับน้ำตาลในเลือด - ความเข้มข้น - วันที่ - เวลา - วัดเมื่อ - ก่อนอาหารเช้า - หลังอาหารเช้า - ก่อนอาหารกลางวัน - หลังอาหารกลางวัน - ก่อนอาหารเย็น - หลังอาหารเย็น - ทั่วไป - ตรวจสอบอีกครั้ง - กลางคืน - อื่น ๆ - ยกเลิก - เพิ่ม - กรุณาใส่ค่าถูกต้อง - กรุณากรอกข้อมูลให้ครบทุกรายการ - ลบ - แก้ไข - ลบแล้ว 1 รายการ - เลิกทำ - ตรวจสอบครั้งล่าสุด: - แนวโน้มช่วงเดือนที่ผ่านมา: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - เกี่ยวกับ - เวอร์ชั่น - เงื่อนไขการใช้งาน - ชนิด - น้ำหนัก - Custom measurement category - - กินอาหารสดหรือที่ไม่ผ่านการแปรรูปเพิ่มขึ้น เพื่อช่วยลดคาร์โบไฮเดรตและน้ำตาล - อ่านฉลากโภชนาการบนภาชนะบรรจุอาหารและเครื่องดื่มในการควบคุมการบริโภคน้ำตาลและคาร์โบไฮเดรต - เมื่อรับประทานอาหารนอกบ้าน ขอเป็นเนื้อปลาหรือเนื้อย่างที่ไม่ทาเนยหรือน้ำมัน - เมื่อรับประทานอาหารนอกบ้าน ขอเป็นอาหารโซเดียมต่ำ - เมื่อรับประทานอาหารนอกบ้าน รับประทานในสัดส่วนเดียวกับที่รับประทานที่บ้าน หากเหลือก็นำกลับบ้าน - เมื่อรับประทานอาหารนอกบ้าน เลือกในสิ่งที่ปริมาณแคลอรี่ต่ำ เช่นสลัดผัก แม้ว่าจะไม่อยู่ในเมนู - เมื่อรับประทานอาหารนอกบ้าน ขอเลือกเปลี่ยนเมนู เป็นต้นว่า แทนที่จะเป็นมันฝรั่งทอด ขอเป็นผักสลัด ถั่วลันเตาหรือบรอกโคลี่ - เมื่อรับประทานอาหารนอกบ้าน สั่งอาหารที่ไม่ใช่ขนมปัง หรือของทอด - เมื่อรับประทานอาหารนอกบ้าน ขอแยกซอสราดสลัดต่างหาก - ชูการ์ฟรีไม่ได้หมายความว่าจะปราศจากน้ำตาล หากแต่มีน้ำตาลอยู่ 0.5 กรัม (g) ต่อหนึ่งหน่วยการบริโภค ดังนั้นพึงระวังไม่หลงระเริงไปกับสินค้าชูการ์ฟรี - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - ตรวจเลือดดูระดับ HbA1c เพื่อดูระดับน้ำตาลเฉลี่ยสะสมในเลือดในรอบไตรมาสที่ผ่านมา แพทย์ของคุณควรจะแนะนำว่าจะต้องตรวจดูระดับ HbA1c บ่อยเพียงใด - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - ผู้ช่วย - อัพเดตเดี๋ยวนี้ - ได้ ฉันเข้าใจ - ส่งคำติชม - ADD READING - ปรับปรุงน้ำหนักของคุณ - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - ส่งคำติชม - ในการที่จะช่วยให้เราปรับปรุง Glucosio หากคุณพบปัญหาทางเทคนิคหรือมีข้อเสนอแนะใด ๆ คุณสามารถส่งข้อมูลให้เราได้ในเมนูการตั้งค่า - เพิ่มข้อมูล - ตรวจสอบให้แน่ใจว่าได้บันทึกระดับน้ำตาลกลูโคสเป็นประจำ เพื่อที่เราสามารถช่วยคุณติดตามระดับน้ำตาลกลูโคสตลอดเวลา - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - ช่วงที่ต้องการ - ช่วงที่กำหนดเอง - ค่าต่ำสุด - ค่าสูงสุด - TRY IT NOW - diff --git a/app/src/main/res/values-ti/google-playstore-strings.xml b/app/src/main/res/values-ti/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-ti/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-ti/strings.xml b/app/src/main/res/values-ti/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-ti/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-tk/google-playstore-strings.xml b/app/src/main/res/values-tk/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-tk/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-tk/strings.xml b/app/src/main/res/values-tk/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-tk/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-tl/google-playstore-strings.xml b/app/src/main/res/values-tl/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-tl/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-tl/strings.xml b/app/src/main/res/values-tl/strings.xml deleted file mode 100644 index 8059dcf6..00000000 --- a/app/src/main/res/values-tl/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Mga Setting - Magpadala ng feedback - Tinging-pangmalawakan - Kasaysayan - Mga tips - Kumusta. - Kumusta. - Patakaran sa Paggamit. - Binasa at sumasang-ayon ako sa Patakaran sa Paggamit - Ang mga nilalaman ng website at apps ng Glucosio, kagaya ng mga teksto, grapiks, larawan, st iba osng materyales (\"Nilalaman\") ay para sa kaalaman lamang. Ang nilalaman ay hindi pakay na panghalili sa propesyonal na payo ng doktor, diagnosis, o panlunas. Hinihikayat namin ang mga taga-gamit ng Glucosio na laginf kumonsulta sa doktor o sa iba pang kwalipikadong health provider sa kahit na anong katanungang tungkol sa inyong kundisyong pangkalusugan. Huwag isa-isang-tabi o ipagpa-bukas ang pagpapakonsulta nang dahil sa kung anong inyong nabasa sa website o sa apps ng Glucosio. Ang website, blog, wiki, at iba psng mga nilalamang nakakalap sa pamamagitan ng web browser (\"Website\") ay dapat lamang gamitin sa mga kadahilanang inilarawan sa itaas. \n Ang pagbabatay sa kahit alinmang impormasyong ibinahagi ng Glucosio, ng mga kasali sa pangkat Glucosio, mga boluntaryo at iba pang nakikita sa aming website o apps ay - Kinakailangan natin ng ilang mga bagay bago tayo magsimula. - Bansa - Edad - Paki lagay ang tamang edad. - Kasarian - Lalaki - Babae - Iba pa - Uri ng Diabetes - Type 1 - Type 2 - Ninanais na unit - Ibahagi ang mga anonymous data para sa pananaliksik. - Maaring palitang ang settings sa paglaon. - SUSUNOD - MAGSIMULA - Wala pang impormasyon. \n Ilagay ang iyong unang reading dito. - Ilagay ang Blood Glucose Level - Konsentrasyon - Petsa - Oras - Sinukat - Bago mag-almusal - Matapos mag-almusal - Bago mananghalian - Matapos mananghalian - Bago mag-hapunan - Matapos maghapunan - Pangkalahatan - Subukin muli - Gabi - Iba pa - Kanselahin - Idagdag - Mangyaring ilagay ang tamang value. - Paki-punan ang lahat ng kahon. - Burahin - Baguhin - 1 reading ang binura - Ibalik - Huling check: - Trend sa nakalipas na buwan: - pasok sa range at may kalusugan - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - Patungkol - Bersyon - Patakaran sa Paggamit - Uri - Weight - Kategorya ng pansariling sukatan - - Kumain ng mas maraming sariwa, hindi prinosesong pagkain upang mabawasan ang pagpasok sa katawan ng carbohydrates at asukal. - Basahin ang nutritional label sa mga nakapaketeng pagkain at inumin upang makontrol ang pagpasok sa katawan ng carbihydrate at asukal. - Kapag kumakain sa labas, piliin ang isda o karneng inihaw nang walang dagdag na butter o mantika. - Kung kakain sa labas, piliin ang mga pagkaing mababa sa sodium. - Kung kakain sa labas, kumain ng kaparehong sukat na kagaya nang kung kumakain sa bahay at iuwi ang mga tirang pagkain. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-tn/google-playstore-strings.xml b/app/src/main/res/values-tn/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-tn/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-tn/strings.xml b/app/src/main/res/values-tn/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-tn/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-tr/google-playstore-strings.xml b/app/src/main/res/values-tr/google-playstore-strings.xml deleted file mode 100644 index 15c714f8..00000000 --- a/app/src/main/res/values-tr/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - Daha fazla bilgi: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-tr/strings.xml b/app/src/main/res/values-tr/strings.xml deleted file mode 100644 index 445976b0..00000000 --- a/app/src/main/res/values-tr/strings.xml +++ /dev/null @@ -1,137 +0,0 @@ - - - - Glucosio - Ayarlar - Geribildirim gönder - Önizleme - Geçmiş - İpuçları - Merhaba. - Merhaba. - Kullanım Şartları. - Kullanım şartlarını okudum ve kabul ediyorum - Glucosio Web sitesi, grafik, resim ve diğer malzemeleri (\"içerik\") gibi şeyler sadece -bilgilendirme amaçlıdır. Doktorunuzun söylediklerinin yanı sıra, size yardımcı olmak için hazırlanan profesyonel bir uygulamadır. Nitelikli sağlık denetimi için her zaman doktorunuza danışın. Uygulama profesyonel bir sağlık uygulamasıdır, fakat asla ve asla doktorunuza görünmeyi ihmal etmeyin ve uygulamanın söylediklerine göre doktorunuza gitmemezlik etmeyin. Glucosio Web sitesi, Blog, Wiki ve diğer erişilebilir içerik (\"Web sitesi\") yalnızca yukarıda açıklanan amaç için kullanılmalıdır. \n güven Glucosio, Glucosio ekip üyeleri, gönüllüler ve diğerleri tarafından sağlanan herhangi bir bilgi Web sitesi veya bizim uygulamamız içerisinde görülen sadece vasıl senin kendi tehlike üzerindedir. Site ve içeriği \"olduğu gibi\" bazında sağlanır. - Başlamadan önce birkaç şey yapmamız gerekiyor. - Ülke - Yaş - Lütfen geçerli bir yaş giriniz. - Cinsiyet - Erkek - Kadın - Diğer - Diyabet türü - Tip 1 - Tip 2 - Tercih edilen birim - Araştırma için kimliksiz bilgi gönder. - Bu ayarları daha sonra değiştirebilirsiniz. - SONRAKİ - BAŞLA - Bilgi henüz yok. \n Buraya ekleyebilirsiniz. - Kan glikoz düzeyini Ekle - Konsantrasyon - Tarih - Zaman - Ölçülen - Kahvaltıdan önce - Kahvaltıdan sonra - Öğle yemeğinden önce - Öğle yemeğinden sonra - Akşam yemeğinden önce - Akşam yemeğinden sonra - Genel - Yeniden denetle - Gece - Diğer - İptal - EKLE - Lütfen geçerli bir değer girin. - Lütfen tüm boşlukları doldurun. - Sil - Düzenle - 1 okuma silindi - GERİ AL - Son kontrol: - Son bir ay içindeki trend: - aralığın içinde bulunan ve aynı zamanda sağlıklı - Ay - Gün - Hafta - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - Hakkında - Sürüm - Kullanım Şartları - Tür - Ağırlık - Özel ölçüm kategorisi - - Karbonhidrat ve şeker alımını en aza indirmek için taze ve işlenmemiş gıdalar tüketin. - Paketlenmiş ürünlerin karbonhidrat ve şeker düzeyini kontrol etmek için etiketlerini okuyun. - Dışarıda yerken, ekstra hiç bir yağ veya tereyağı olmadan balık, et ızgara isteyin. - Dışarıda yerken, düşük sodyumlu yemekleri olup olmadığını sorun. - Dışarıda yerken, evde yediğiniz porsiyon kadar sipariş edin. Geri kalanları ise eve götürmeyi isteyin. - Dışarıda yerken düşük kalorilileri tercih edin, salata sosları gibi, menüde olmasa bile isteyin. - Dışarıda yemek yerken değişim istemekten çekinmeyin. Patates kızartması yerine çift porsiyon sebze isteyin, örneğin salata, yeşil fasulye veya brokoli gibi. - Dışarıda yerken kızartılmış ürünlerden kaçının. - Dışarıda yemek yerken sos istediğinizde salatanın \"kenarına\" koymalarını isteyin - Şekersiz demek, tamamen şeker içermiyor demek değildir. Porsiyon başına 0.5 gram şeker içeriyor demektir. Yani çok fazla \"şekersiz\" ürün tüketmeyin. - Hareket ederek kilo vermek kan şekerinizin kontrolünde size yardımcı olur. Bir doktordan, diyetisyenden veya fitness eğitmeninden çalışmanız için plan yardım alabilirsiniz. - Glucosio gibi uygulamalarla günde iki defa kan düzeyinizi kontrol etmek ve takip etmek sizi istenmeyen sonuçlardan uzak tutacaktır. - Son 2 - 3 aylık ortalama kan şekerinizi öğrenmek için A1c kan testi yapın. Doktorunuz bu testi ne sıklıkla yapmanız gerektiğini size söyleyecektir. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Diyabet hastalığı kalp duyarlı olduğundan tansiyon, kolesterol ve trigliserid düzeylerini kontrol etmek önemlidir. - Sağlıklı beslenme ve diyabet sonuçlar geliştirmek yardım için yapabileceğiniz birçok diyet yaklaşım vardır. Bir diyetisyenden tavsiye almak işinize yarayacaktır. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Yardımcı - Şimdi Güncelleştir - TAMAM, ANLADIM - GERİ BİLDİRİM GÖNDER - OKUMA EKLE - Kilonuzu güncelleştirin - Kilonuzu sık sık güncelleyin böylece Glucosio en en doğru bilgilere sahip olsun. - Araştırmanı güncelle opt-in - Her zaman opt-in yada opt-out diyabet gidişatını paylaşabilirsin, ama unutma paylaşılan tüm verilerin tamamen anonim olduğunu unutmayın. Paylaştığımız sadece demografik ve glikoz seviyesi eğilimleri. - Kategorileri oluştur - Glucosio glikoz girişi için varsayılan kategoriler bulundurmaktadır ancak benzersiz gereksinimlerinize ayarlarında özel kategoriler oluşturabilirsiniz. - Burayı sık sık kontrol et - Glucosio Yardımcısı düzenli ipuçları sağlar ve ilerlemeyi kaydeder, bu yüzden her zaman burayı, Glucosio deneyiminizi geliştirmek için yapabileceğiniz faydalı işlemler ve diğer yararlı ipuçları için kontrol edin. - Geribildirim Gönder - Eğer herhangi bir teknik sorun bulursanız veya Glucosio hakkında geribildiriminiz varsa Glucosio\'yu geliştirmemize yardımcı olmak için Ayarlar menüsünden geribildirim göndermeyi öneririz. - Bir okuma Ekle - Glikoz değerlerinizi düzenli olarak eklediğinizden emin olun böylece glikoz seviyenizi takip edebilelim. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Tercih edilen aralık - Özel Aralık - En küçük değer - Max. değer - ŞİMDİ DENE - diff --git a/app/src/main/res/values-ts/google-playstore-strings.xml b/app/src/main/res/values-ts/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-ts/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-ts/strings.xml b/app/src/main/res/values-ts/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-ts/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-tt/google-playstore-strings.xml b/app/src/main/res/values-tt/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-tt/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-tt/strings.xml b/app/src/main/res/values-tt/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-tt/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-tw/google-playstore-strings.xml b/app/src/main/res/values-tw/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-tw/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-tw/strings.xml b/app/src/main/res/values-tw/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-tw/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-ty/google-playstore-strings.xml b/app/src/main/res/values-ty/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-ty/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-ty/strings.xml b/app/src/main/res/values-ty/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-ty/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-tzl/google-playstore-strings.xml b/app/src/main/res/values-tzl/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-tzl/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-tzl/strings.xml b/app/src/main/res/values-tzl/strings.xml deleted file mode 100644 index 438a0a13..00000000 --- a/app/src/main/res/values-tzl/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Setatxen - Send feedback - Overview - Þistoria - Tüdeis - Azul. - Azul. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Päts - Vellità - Please enter a valid age. - Xhendreu - Male - Female - Other - Sorta del sücritis - Sorta 1 - Sorta 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Cuncentraziun - Däts - Temp - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - Xheneral - Recheck - Nic\'ht - Other - NIÞILIÇARH - AXHUNTARH - Please enter a valid value. - Please fill all the fields. - Zeletarh - Redactarh - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - Över - Verziun - Terms of use - Sorta - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Axhutor - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-ug/google-playstore-strings.xml b/app/src/main/res/values-ug/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-ug/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-ug/strings.xml b/app/src/main/res/values-ug/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-ug/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-uk/google-playstore-strings.xml b/app/src/main/res/values-uk/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-uk/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-uk/strings.xml b/app/src/main/res/values-uk/strings.xml deleted file mode 100644 index 5389089a..00000000 --- a/app/src/main/res/values-uk/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Параметри - Надіслати відгук - Огляд - Історія - Рекомендації - Привіт. - Привіт. - Умови використання. - Я прочитав та приймаю умови використання - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Країна - Вік - Будь ласка, вкажіть правильний вік. - Стать - Чоловік - Жінка - Інше - Тип діабету - Тип 1 - Тип 2 - Бажані одиниці - Поділитися анонімними даними для подальшого дослідження. - Ви можете змінити ці налаштування пізніше. - НАСТУПНИЙ - РОЗПОЧНЕМО - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Дата - Час - Measured - Перед сніданком - Після сніданку - Перед обідом - Після обіду - Перед вечерею - Після вечері - General - Повторна перевірка - Ніч - Інше - СКАСУВАТИ - ДОДАТИ - Будь ласка, введіть припустиме значення. - Будь ласка, заповніть всі поля. - Вилучити - Редагувати - 1 reading deleted - СКАСУВАТИ - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - Якщо ви знайшли будь-які технічні недоліки або хочете написати відгук про Glucosio то ви можете зробити це в меню \"Параметри\", що допоможе нам покращити Glucosio. - Add a reading - Переконайтеся, що ви регулярно подаєте ваші показники глюкози, щоб ми могли допомогти вам відстежувати ваш рівень глюкози з часом. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-ur/google-playstore-strings.xml b/app/src/main/res/values-ur/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-ur/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-ur/strings.xml b/app/src/main/res/values-ur/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-ur/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-uz/google-playstore-strings.xml b/app/src/main/res/values-uz/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-uz/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-uz/strings.xml b/app/src/main/res/values-uz/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-uz/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-val/google-playstore-strings.xml b/app/src/main/res/values-val/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-val/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-val/strings.xml b/app/src/main/res/values-val/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-val/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-ve/google-playstore-strings.xml b/app/src/main/res/values-ve/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-ve/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-ve/strings.xml b/app/src/main/res/values-ve/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-ve/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-vec/google-playstore-strings.xml b/app/src/main/res/values-vec/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-vec/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-vec/strings.xml b/app/src/main/res/values-vec/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-vec/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-vi/google-playstore-strings.xml b/app/src/main/res/values-vi/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-vi/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-vi/strings.xml b/app/src/main/res/values-vi/strings.xml deleted file mode 100644 index 96f33220..00000000 --- a/app/src/main/res/values-vi/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Cài đặt - Gửi phản hồi - Tổng quan - Lịch sử - Mẹo - Xin chào. - Xin chào. - Điều khoản sử dụng. - Tôi đã đọc và chấp nhận các điều khoản sử dụng - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Quốc gia - Tuổi - Vui lòng nhập tuổi hợp lệ. - Giới tính - Nam - Nữ - Khác - Diabetes type - Type 1 - Type 2 - Preferred unit - Chia sẻ dữ liệu ẩn danh cho nghiên cứu. - Bạn có thể thay đổi này trong cài đặt sau đó. - TIẾP THEO - BẮT ĐẦU - No info available yet. \n Add your first reading here. - Thêm mức độ Glucose trong máu - Concentration - Ngày tháng - Thời gian - Đo - Trước khi ăn sáng - Sau khi ăn sáng - Trước khi ăn trưa - Sau khi ăn trưa - Trước khi ăn tối - Sau khi ăn tối - Tổng quát - Kiểm tra lại - Buổi tối - Khác - HỦY BỎ - THÊM - Vui lòng nhập một giá trị hợp lệ. - Xin vui lòng điền vào tất cả các mục. - Xoá - Chỉnh sửa - 1 reading deleted - HOÀN TÁC - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-vls/google-playstore-strings.xml b/app/src/main/res/values-vls/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-vls/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-vls/strings.xml b/app/src/main/res/values-vls/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-vls/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-wa/google-playstore-strings.xml b/app/src/main/res/values-wa/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-wa/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-wa/strings.xml b/app/src/main/res/values-wa/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-wa/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-wo/google-playstore-strings.xml b/app/src/main/res/values-wo/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-wo/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-wo/strings.xml b/app/src/main/res/values-wo/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-wo/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-xh/google-playstore-strings.xml b/app/src/main/res/values-xh/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-xh/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-xh/strings.xml b/app/src/main/res/values-xh/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-xh/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-yi/google-playstore-strings.xml b/app/src/main/res/values-yi/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-yi/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-yi/strings.xml b/app/src/main/res/values-yi/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-yi/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-yo/google-playstore-strings.xml b/app/src/main/res/values-yo/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-yo/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-yo/strings.xml b/app/src/main/res/values-yo/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-yo/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-zea/google-playstore-strings.xml b/app/src/main/res/values-zea/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-zea/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-zea/strings.xml b/app/src/main/res/values-zea/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-zea/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/values-zh/google-playstore-strings.xml b/app/src/main/res/values-zh/google-playstore-strings.xml deleted file mode 100644 index f6f41b98..00000000 --- a/app/src/main/res/values-zh/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio 是一个以用户为中心的针对糖尿病患者的免费、开源应用 - 使用 Glucosio,您可以输入和跟踪血糖水平,匿名支持人口统计学和不记名血糖趋势的糖尿病研究,以及从我们的小助手获得有益的提示。Glucosio 尊重您的隐私权,您始终可以控制自己的数据。 - * 以用户为中心。Glucosio 应用的功能和设计以用户需求为准则,我们持久开放反馈渠道并进行改进。 - * 开源。Glucosio 允许您自由的使用、复制、学习和更改我们应用的源代码,以及为 Glucosio 项目进行贡献。 - * 管理数据。Glucosio 允许您跟踪和管理自己的糖尿病数据,以直观、现代化的界面,基于糖尿病患者的反馈而建立。 - * 支持学术研究。Glucosio 应用给用户可选退出的选项,来分享匿名化的糖尿病数据和人口统计信息供学术研究。 - 请将 Bug、问题或功能请求填报到: - https://github.com/glucosio/android - 更多信息: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-zh/strings.xml b/app/src/main/res/values-zh/strings.xml deleted file mode 100644 index baaf3ab6..00000000 --- a/app/src/main/res/values-zh/strings.xml +++ /dev/null @@ -1,137 +0,0 @@ - - - - Glucosio - 设置 - 发送反馈 - 概览 - 历史记录 - 小提示 - 你好 - 你好 - 使用条款。 - 我已经阅读并接受使用条款 - Glucosio 网站的内容,包括文字、图形、图像及其他材料(内容)均仅供参考。内容不能取代专业的医疗建议、诊断和治疗。我们鼓励 Glucosio 的用户始终与你的医生或者其他合格的健康提供者提出有关医疗的问题。千万不要因为阅读了我们的 Glucosio 网站或应用而忽视或者耽搁专业的医疗咨询。Glucosio 网站、博客、Wiki 及其他网络浏览器可访问的内容(网站)应仅用于上述目的。\n来自 Glucosio、Glucosio 团队成员、志愿者,以及其他出现在我们网站或应用中的内容均需要您自担风险。网站和内容按“原样”提供。 - 在开始使用前,我们需要少许时间。 - 国家 / 地区 - 年龄 - 请输入一个有效的年龄。 - 性别 - - - 其他 - 糖尿病类型 - 1型糖尿病 - 2型糖尿病 - 首选单位 - 分享匿名数据供研究用途。 - 您可以在以后更改这些设置。 - 下一步 - 开始使用 - 尚无可用信息。\n先在这里阅读一些信息吧。 - 添加血糖水平 - 浓度 - 日期 - 时间 - 测量于 - 早餐前 - 早餐后 - 午餐前 - 午餐后 - 晚餐前 - 晚餐后 - 常规 - 重新检查 - 夜间 - 其他 - 取消 - 添加 - 请输入有效的值。 - 请填写所有字段。 - 删除 - 编辑 - 1 读删除 - 撤销 - 上次检查: - 过去一个月的趋势: - 范围与健康 - - - - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - 关于 - 版本 - 使用条款 - 类型 - 体重 - 自定义测量分类 - - 多吃新鲜的未经加工的食品,帮助减少碳水化合物和糖的摄入量。 - 阅读包装食品和饮料的营养标签,控制糖和碳水化合物的摄入量。 - 外出就餐时,问是否有鱼或者未用油烤制而成的肉。 - 外出就餐时,问他们是否有低钠的食品。 - 外出就餐时,只吃与在家和外带打包相同的份量。 - 外出就餐时,问是否有低卡路里的食物,比如沙拉酱,即使这没写在菜单上。 - 外出就餐时学会替代。不要点炸薯条,应该要绿豆、西兰花、蔬菜沙拉等视频。 - 外出就餐时,订单不裹面包屑或油炸的食品。 - 外出就餐时要求把酱汁、肉汁和沙拉酱放在一边,适量添加。 - 无糖并不是真的无糖。它意味着每100克或毫升有不超过 0.5 克糖。所以不要沉醉于太多的无糖食品。 - 迈向健康的体重有助于控制血糖。你的医生、营养师或健康教练可以带你开始一个适合你的健康计划。 - 检查你的血液水平,并且在像是 Glucosio 之类的应用中跟踪,一天两次。这将有助于你了解选择食物和生活方式的结果。 - 进行糖化血红蛋白测试,找出你过去两三个月中的平均血糖。你的医生应该会告诉你,这样的测试应该每 -多久进行一次。 - 监测你消耗了多少碳水化合物,因为碳水化合物会影响血糖水平。与你的医生谈谈应该摄入多少碳水化合物。 - 控制血压、胆固醇和甘油三酯水平也很重要,因为糖尿病患者易患心脏疾病。 - 几种健康的饮食方法可以让你更健康,改善糖尿病的结果。与你的营养师咨询,找到最适合你的预算和日常的方案。 - 进行日常的锻炼活动,这有助于保持健康的体重,特别是对于糖尿病患者。你的医生会与你谈谈适合你的健身方式。 - 失眠可能使你吃更多,特别是垃圾食品,因此可能对你的健康产生负面影响。一定要有良好的睡眠,如果有睡眠困难情况,与相关专家请教吧。 - 压力可能对糖尿病带来负面影响,与你的医生或者其他医疗专业人士谈谈吧。 - 每年去看一次你的医生,全年定期沟通对糖尿病患者很重要,可防止突发的相关健康问题。 - 按医生处方服药,小小的偏差就可能影响你的血糖水平和引起其他副作用。如果你很难记住,向医生要一份药品管理和记忆的方法。 - - - 老年的糖尿病人遇到与糖尿病相关的健康风险可能性更高。询问你的医生,关于在你的年龄如何监控糖尿病的情况,以及注意事项。 - 限制您添加的食盐量,并且在烹熟加入。 - - 助理 - 立即更新 - 好的,知道了! - 提交反馈 - 添加阅读 - 更新你的体重 - 请确保更新你的体重,以便 Glucosio 有最准确的信息。 - 更新你的研究选项 - 您随时可以选择加入或退出糖尿病研究资源共享,但请了解所有共享的数据都是完全匿名的。我们只分享人口统计和血糖水平趋势。 - 创建分类 - Glucosio 默认带有血糖读数分类,您还可以在设置中创建自定义的分类以满足您的独特需求。 - 经常检查这里 - Glucosio 助理提供定期的提示并将不断改善,因此请经常检查这里的提示,这有助您采取措施来提高使用 Glucosio 的经验和技巧。 - 提交反馈 - 如果您发现了任何技术问题,或有关于 Glucosio 的反馈,我们鼓励您在设置菜单中提交它,以帮助我们改进 Glucosio。 - 添加阅读 - 一定要定期添加您的血糖读数,以便我们帮助您随时间跟踪您的血糖水平。 - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - 首选范围 - 自定义范围 - 最小值 - 最大值 - 现在试试它 - diff --git a/app/src/main/res/values-zu/google-playstore-strings.xml b/app/src/main/res/values-zu/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/values-zu/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/values-zu/strings.xml b/app/src/main/res/values-zu/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/values-zu/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - From 84c5b0266b3d8072cb5268a25c4eb55b67d12aa8 Mon Sep 17 00:00:00 2001 From: Benjamin Kerensa Date: Tue, 6 Oct 2015 00:02:39 -0700 Subject: [PATCH 080/126] Bump dependencies --- app/build.gradle | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/app/build.gradle b/app/build.gradle index cb0763b2..c2c6e7d0 100644 --- a/app/build.gradle +++ b/app/build.gradle @@ -38,9 +38,9 @@ dependencies { compile 'com.android.support:design:23.0.1' compile 'com.android.support:cardview-v7:23.0.1' compile 'com.android.support:recyclerview-v7:23.0.1' - compile 'com.wdullaer:materialdatetimepicker:1.5.1' + compile 'com.wdullaer:materialdatetimepicker:1.5.3' compile 'com.android.support:percent:23.0.1' - compile 'com.github.PhilJay:MPAndroidChart:v2.1.3' + compile 'com.github.PhilJay:MPAndroidChart:v2.1.4' compile 'uk.co.chrisjenx:calligraphy:2.1.0' compile 'com.github.paolorotolo:gitty_reporter:1.1.1' compile 'com.michaelpardo:activeandroid:3.1.0-SNAPSHOT' From 4facf0e999b73e5214962000652d6a58569924e4 Mon Sep 17 00:00:00 2001 From: Paolo Rotolo Date: Tue, 6 Oct 2015 20:53:38 +0200 Subject: [PATCH 081/126] Fixes graph. Closes #88 and #89. --- .../java/org/glucosio/android/fragment/OverviewFragment.java | 2 ++ 1 file changed, 2 insertions(+) diff --git a/app/src/main/java/org/glucosio/android/fragment/OverviewFragment.java b/app/src/main/java/org/glucosio/android/fragment/OverviewFragment.java index 648d98ca..325e117d 100644 --- a/app/src/main/java/org/glucosio/android/fragment/OverviewFragment.java +++ b/app/src/main/java/org/glucosio/android/fragment/OverviewFragment.java @@ -98,6 +98,7 @@ public void onNothingSelected(AdapterView parent) { xAxis.setDrawGridLines(false); xAxis.setPosition(XAxis.XAxisPosition.BOTTOM); xAxis.setTextColor(getResources().getColor(R.color.glucosio_text_light)); + xAxis.setAvoidFirstLastClipping(true); /* LimitLine ll1 = new LimitLine(130f, "High"); ll1.setLineWidth(1f); @@ -243,6 +244,7 @@ private void setData() { // set data chart.setData(data); + chart.setPinchZoom(true); } private void loadLastReading(){ From 3109669e14b9c3aaf269db6b9763cc9aaf37ae11 Mon Sep 17 00:00:00 2001 From: Paolo Rotolo Date: Tue, 6 Oct 2015 21:05:36 +0200 Subject: [PATCH 082/126] Import translations. --- .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-aa-rER/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-ach-rUG/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-ae-rIR/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-af-rZA/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-ak-rGH/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-am-rET/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-an-rES/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-ar-rSA/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-arn-rCL/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-as-rIN/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-ast-rES/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-av-rDA/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-ay-rBO/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 20 +++ app/src/main/res/values-az-rAZ/strings.xml | 137 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-ba-rRU/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-bal-rBA/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-ban-rID/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-be-rBY/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-ber-rDZ/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-bfo-rBF/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-bg-rBG/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-bh-rIN/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-bi-rVU/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-bm-rML/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-bn-rBD/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-bn-rIN/strings.xml | 139 ++++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-bo-rBT/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-br-rFR/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-bs-rBA/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-ca-rES/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-ce-rCE/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-ceb-rPH/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-ch-rGU/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-chr-rUS/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-ckb-rIR/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-co-rFR/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-cr-rNT/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-crs-rSC/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-cs-rCZ/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-csb-rPL/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-cv-rCU/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-cy-rGB/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-da-rDK/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-de-rDE/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-dsb-rDE/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-dv-rMV/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-dz-rBT/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-ee-rGH/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-el-rGR/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-en-rGB/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-en-rUS/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-eo-rUY/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-es-rES/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-es-rMX/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-es-rVE/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-et-rEE/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-eu-rES/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-fa-rAF/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-fa-rIR/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-ff-rZA/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-fi-rFI/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-fil-rPH/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-fj-rFJ/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-fo-rFO/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-fr-rFR/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-fr-rQC/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-fra-rDE/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-frp-rIT/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-fur-rIT/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-fy-rNL/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-ga-rIE/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-gaa-rGH/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-gd-rGB/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-gl-rES/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-gn-rPY/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-gu-rIN/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-gv-rIM/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-ha-rHG/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-haw-rUS/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-hi-rIN/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-hil-rPH/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-hmn-rCN/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-ho-rPG/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-hr-rHR/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-hsb-rDE/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-ht-rHT/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-hu-rHU/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-hy-rAM/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-hz-rNA/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-ig-rNG/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-ii-rCN/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-ilo-rPH/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-in-rID/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-is-rIS/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-it-rIT/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-iu-rNU/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-iw-rIL/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-ja-rJP/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-jbo-rEN/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-ji-rDE/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-jv-rID/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-ka-rGE/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-kg-rCG/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-kj-rAO/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-kk-rKZ/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-kl-rGL/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-km-rKH/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-kmr-rTR/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-kn-rIN/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-ko-rKR/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-kok-rIN/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-ks-rIN/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-ku-rTR/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-kv-rKO/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-kw-rGB/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-ky-rKG/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-la-rLA/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-lb-rLU/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-lg-rUG/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-li-rLI/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-lij-rIT/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-ln-rCD/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-lo-rLA/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-lt-rLT/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-luy-rKE/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-lv-rLV/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-mai-rIN/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-me-rME/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-mg-rMG/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-mh-rMH/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-mi-rNZ/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-mk-rMK/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-ml-rIN/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-mn-rMN/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-moh-rCA/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-mr-rIN/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-ms-rMY/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-mt-rMT/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-my-rMM/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-na-rNR/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-nb-rNO/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-nds-rDE/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-ne-rNP/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-ng-rNA/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-nl-rNL/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-nn-rNO/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-no-rNO/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-nr-rZA/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-ns-rZA/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-ny-rMW/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-oc-rFR/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-oj-rCA/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-om-rET/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-or-rIN/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-os-rSE/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-pa-rIN/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-pam-rPH/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-pcm-rNG/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-pi-rIN/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-pl-rPL/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-ps-rAF/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-pt-rBR/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-pt-rPT/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-qu-rPE/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-quc-rGT/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-qya-rAA/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-rm-rCH/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-rn-rBI/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-ro-rRO/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-ru-rRU/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-rw-rRW/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-ry-rUA/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-sa-rIN/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-sat-rIN/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-sc-rIT/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-sco-rGB/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-sd-rPK/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-se-rNO/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-sg-rCF/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-sh-rHR/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-si-rLK/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-sk-rSK/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-sl-rSI/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-sma-rNO/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-sn-rZW/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-so-rSO/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-son-rZA/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-sq-rAL/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-sr-rCS/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-sr-rSP/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-ss-rZA/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-st-rZA/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-su-rID/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-sv-rFI/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-sv-rSE/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-sw-rKE/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-sw-rTZ/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-syc-rSY/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-ta-rIN/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-tay-rTW/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-te-rIN/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-tg-rTJ/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-th-rTH/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-ti-rER/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-tk-rTM/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-tl-rPH/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-tn-rZA/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-tr-rTR/strings.xml | 137 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-ts-rZA/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-tt-rRU/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-tw-rTW/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-ty-rPF/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-ug-rCN/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-uk-rUA/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-ur-rPK/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-uz-rUZ/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-val-rES/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-ve-rZA/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-vec-rIT/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-vi-rVN/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-vls-rBE/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-wa-rBE/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-wo-rSN/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-xh-rZA/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-yo-rNG/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-zh-rCN/strings.xml | 137 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-zh-rTW/strings.xml | 136 +++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-zu-rZA/strings.xml | 136 +++++++++++++++++ 456 files changed, 35120 insertions(+) create mode 100644 app/src/main/res/values-aa-rER/google-playstore-strings.xml create mode 100644 app/src/main/res/values-aa-rER/strings.xml create mode 100644 app/src/main/res/values-ach-rUG/google-playstore-strings.xml create mode 100644 app/src/main/res/values-ach-rUG/strings.xml create mode 100644 app/src/main/res/values-ae-rIR/google-playstore-strings.xml create mode 100644 app/src/main/res/values-ae-rIR/strings.xml create mode 100644 app/src/main/res/values-af-rZA/google-playstore-strings.xml create mode 100644 app/src/main/res/values-af-rZA/strings.xml create mode 100644 app/src/main/res/values-ak-rGH/google-playstore-strings.xml create mode 100644 app/src/main/res/values-ak-rGH/strings.xml create mode 100644 app/src/main/res/values-am-rET/google-playstore-strings.xml create mode 100644 app/src/main/res/values-am-rET/strings.xml create mode 100644 app/src/main/res/values-an-rES/google-playstore-strings.xml create mode 100644 app/src/main/res/values-an-rES/strings.xml create mode 100644 app/src/main/res/values-ar-rSA/google-playstore-strings.xml create mode 100644 app/src/main/res/values-ar-rSA/strings.xml create mode 100644 app/src/main/res/values-arn-rCL/google-playstore-strings.xml create mode 100644 app/src/main/res/values-arn-rCL/strings.xml create mode 100644 app/src/main/res/values-as-rIN/google-playstore-strings.xml create mode 100644 app/src/main/res/values-as-rIN/strings.xml create mode 100644 app/src/main/res/values-ast-rES/google-playstore-strings.xml create mode 100644 app/src/main/res/values-ast-rES/strings.xml create mode 100644 app/src/main/res/values-av-rDA/google-playstore-strings.xml create mode 100644 app/src/main/res/values-av-rDA/strings.xml create mode 100644 app/src/main/res/values-ay-rBO/google-playstore-strings.xml create mode 100644 app/src/main/res/values-ay-rBO/strings.xml create mode 100644 app/src/main/res/values-az-rAZ/google-playstore-strings.xml create mode 100644 app/src/main/res/values-az-rAZ/strings.xml create mode 100644 app/src/main/res/values-ba-rRU/google-playstore-strings.xml create mode 100644 app/src/main/res/values-ba-rRU/strings.xml create mode 100644 app/src/main/res/values-bal-rBA/google-playstore-strings.xml create mode 100644 app/src/main/res/values-bal-rBA/strings.xml create mode 100644 app/src/main/res/values-ban-rID/google-playstore-strings.xml create mode 100644 app/src/main/res/values-ban-rID/strings.xml create mode 100644 app/src/main/res/values-be-rBY/google-playstore-strings.xml create mode 100644 app/src/main/res/values-be-rBY/strings.xml create mode 100644 app/src/main/res/values-ber-rDZ/google-playstore-strings.xml create mode 100644 app/src/main/res/values-ber-rDZ/strings.xml create mode 100644 app/src/main/res/values-bfo-rBF/google-playstore-strings.xml create mode 100644 app/src/main/res/values-bfo-rBF/strings.xml create mode 100644 app/src/main/res/values-bg-rBG/google-playstore-strings.xml create mode 100644 app/src/main/res/values-bg-rBG/strings.xml create mode 100644 app/src/main/res/values-bh-rIN/google-playstore-strings.xml create mode 100644 app/src/main/res/values-bh-rIN/strings.xml create mode 100644 app/src/main/res/values-bi-rVU/google-playstore-strings.xml create mode 100644 app/src/main/res/values-bi-rVU/strings.xml create mode 100644 app/src/main/res/values-bm-rML/google-playstore-strings.xml create mode 100644 app/src/main/res/values-bm-rML/strings.xml create mode 100644 app/src/main/res/values-bn-rBD/google-playstore-strings.xml create mode 100644 app/src/main/res/values-bn-rBD/strings.xml create mode 100644 app/src/main/res/values-bn-rIN/google-playstore-strings.xml create mode 100644 app/src/main/res/values-bn-rIN/strings.xml create mode 100644 app/src/main/res/values-bo-rBT/google-playstore-strings.xml create mode 100644 app/src/main/res/values-bo-rBT/strings.xml create mode 100644 app/src/main/res/values-br-rFR/google-playstore-strings.xml create mode 100644 app/src/main/res/values-br-rFR/strings.xml create mode 100644 app/src/main/res/values-bs-rBA/google-playstore-strings.xml create mode 100644 app/src/main/res/values-bs-rBA/strings.xml create mode 100644 app/src/main/res/values-ca-rES/google-playstore-strings.xml create mode 100644 app/src/main/res/values-ca-rES/strings.xml create mode 100644 app/src/main/res/values-ce-rCE/google-playstore-strings.xml create mode 100644 app/src/main/res/values-ce-rCE/strings.xml create mode 100644 app/src/main/res/values-ceb-rPH/google-playstore-strings.xml create mode 100644 app/src/main/res/values-ceb-rPH/strings.xml create mode 100644 app/src/main/res/values-ch-rGU/google-playstore-strings.xml create mode 100644 app/src/main/res/values-ch-rGU/strings.xml create mode 100644 app/src/main/res/values-chr-rUS/google-playstore-strings.xml create mode 100644 app/src/main/res/values-chr-rUS/strings.xml create mode 100644 app/src/main/res/values-ckb-rIR/google-playstore-strings.xml create mode 100644 app/src/main/res/values-ckb-rIR/strings.xml create mode 100644 app/src/main/res/values-co-rFR/google-playstore-strings.xml create mode 100644 app/src/main/res/values-co-rFR/strings.xml create mode 100644 app/src/main/res/values-cr-rNT/google-playstore-strings.xml create mode 100644 app/src/main/res/values-cr-rNT/strings.xml create mode 100644 app/src/main/res/values-crs-rSC/google-playstore-strings.xml create mode 100644 app/src/main/res/values-crs-rSC/strings.xml create mode 100644 app/src/main/res/values-cs-rCZ/google-playstore-strings.xml create mode 100644 app/src/main/res/values-cs-rCZ/strings.xml create mode 100644 app/src/main/res/values-csb-rPL/google-playstore-strings.xml create mode 100644 app/src/main/res/values-csb-rPL/strings.xml create mode 100644 app/src/main/res/values-cv-rCU/google-playstore-strings.xml create mode 100644 app/src/main/res/values-cv-rCU/strings.xml create mode 100644 app/src/main/res/values-cy-rGB/google-playstore-strings.xml create mode 100644 app/src/main/res/values-cy-rGB/strings.xml create mode 100644 app/src/main/res/values-da-rDK/google-playstore-strings.xml create mode 100644 app/src/main/res/values-da-rDK/strings.xml create mode 100644 app/src/main/res/values-de-rDE/google-playstore-strings.xml create mode 100644 app/src/main/res/values-de-rDE/strings.xml create mode 100644 app/src/main/res/values-dsb-rDE/google-playstore-strings.xml create mode 100644 app/src/main/res/values-dsb-rDE/strings.xml create mode 100644 app/src/main/res/values-dv-rMV/google-playstore-strings.xml create mode 100644 app/src/main/res/values-dv-rMV/strings.xml create mode 100644 app/src/main/res/values-dz-rBT/google-playstore-strings.xml create mode 100644 app/src/main/res/values-dz-rBT/strings.xml create mode 100644 app/src/main/res/values-ee-rGH/google-playstore-strings.xml create mode 100644 app/src/main/res/values-ee-rGH/strings.xml create mode 100644 app/src/main/res/values-el-rGR/google-playstore-strings.xml create mode 100644 app/src/main/res/values-el-rGR/strings.xml create mode 100644 app/src/main/res/values-en-rGB/google-playstore-strings.xml create mode 100644 app/src/main/res/values-en-rGB/strings.xml create mode 100644 app/src/main/res/values-en-rUS/google-playstore-strings.xml create mode 100644 app/src/main/res/values-en-rUS/strings.xml create mode 100644 app/src/main/res/values-eo-rUY/google-playstore-strings.xml create mode 100644 app/src/main/res/values-eo-rUY/strings.xml create mode 100644 app/src/main/res/values-es-rES/google-playstore-strings.xml create mode 100644 app/src/main/res/values-es-rES/strings.xml create mode 100644 app/src/main/res/values-es-rMX/google-playstore-strings.xml create mode 100644 app/src/main/res/values-es-rMX/strings.xml create mode 100644 app/src/main/res/values-es-rVE/google-playstore-strings.xml create mode 100644 app/src/main/res/values-es-rVE/strings.xml create mode 100644 app/src/main/res/values-et-rEE/google-playstore-strings.xml create mode 100644 app/src/main/res/values-et-rEE/strings.xml create mode 100644 app/src/main/res/values-eu-rES/google-playstore-strings.xml create mode 100644 app/src/main/res/values-eu-rES/strings.xml create mode 100644 app/src/main/res/values-fa-rAF/google-playstore-strings.xml create mode 100644 app/src/main/res/values-fa-rAF/strings.xml create mode 100644 app/src/main/res/values-fa-rIR/google-playstore-strings.xml create mode 100644 app/src/main/res/values-fa-rIR/strings.xml create mode 100644 app/src/main/res/values-ff-rZA/google-playstore-strings.xml create mode 100644 app/src/main/res/values-ff-rZA/strings.xml create mode 100644 app/src/main/res/values-fi-rFI/google-playstore-strings.xml create mode 100644 app/src/main/res/values-fi-rFI/strings.xml create mode 100644 app/src/main/res/values-fil-rPH/google-playstore-strings.xml create mode 100644 app/src/main/res/values-fil-rPH/strings.xml create mode 100644 app/src/main/res/values-fj-rFJ/google-playstore-strings.xml create mode 100644 app/src/main/res/values-fj-rFJ/strings.xml create mode 100644 app/src/main/res/values-fo-rFO/google-playstore-strings.xml create mode 100644 app/src/main/res/values-fo-rFO/strings.xml create mode 100644 app/src/main/res/values-fr-rFR/google-playstore-strings.xml create mode 100644 app/src/main/res/values-fr-rFR/strings.xml create mode 100644 app/src/main/res/values-fr-rQC/google-playstore-strings.xml create mode 100644 app/src/main/res/values-fr-rQC/strings.xml create mode 100644 app/src/main/res/values-fra-rDE/google-playstore-strings.xml create mode 100644 app/src/main/res/values-fra-rDE/strings.xml create mode 100644 app/src/main/res/values-frp-rIT/google-playstore-strings.xml create mode 100644 app/src/main/res/values-frp-rIT/strings.xml create mode 100644 app/src/main/res/values-fur-rIT/google-playstore-strings.xml create mode 100644 app/src/main/res/values-fur-rIT/strings.xml create mode 100644 app/src/main/res/values-fy-rNL/google-playstore-strings.xml create mode 100644 app/src/main/res/values-fy-rNL/strings.xml create mode 100644 app/src/main/res/values-ga-rIE/google-playstore-strings.xml create mode 100644 app/src/main/res/values-ga-rIE/strings.xml create mode 100644 app/src/main/res/values-gaa-rGH/google-playstore-strings.xml create mode 100644 app/src/main/res/values-gaa-rGH/strings.xml create mode 100644 app/src/main/res/values-gd-rGB/google-playstore-strings.xml create mode 100644 app/src/main/res/values-gd-rGB/strings.xml create mode 100644 app/src/main/res/values-gl-rES/google-playstore-strings.xml create mode 100644 app/src/main/res/values-gl-rES/strings.xml create mode 100644 app/src/main/res/values-gn-rPY/google-playstore-strings.xml create mode 100644 app/src/main/res/values-gn-rPY/strings.xml create mode 100644 app/src/main/res/values-gu-rIN/google-playstore-strings.xml create mode 100644 app/src/main/res/values-gu-rIN/strings.xml create mode 100644 app/src/main/res/values-gv-rIM/google-playstore-strings.xml create mode 100644 app/src/main/res/values-gv-rIM/strings.xml create mode 100644 app/src/main/res/values-ha-rHG/google-playstore-strings.xml create mode 100644 app/src/main/res/values-ha-rHG/strings.xml create mode 100644 app/src/main/res/values-haw-rUS/google-playstore-strings.xml create mode 100644 app/src/main/res/values-haw-rUS/strings.xml create mode 100644 app/src/main/res/values-hi-rIN/google-playstore-strings.xml create mode 100644 app/src/main/res/values-hi-rIN/strings.xml create mode 100644 app/src/main/res/values-hil-rPH/google-playstore-strings.xml create mode 100644 app/src/main/res/values-hil-rPH/strings.xml create mode 100644 app/src/main/res/values-hmn-rCN/google-playstore-strings.xml create mode 100644 app/src/main/res/values-hmn-rCN/strings.xml create mode 100644 app/src/main/res/values-ho-rPG/google-playstore-strings.xml create mode 100644 app/src/main/res/values-ho-rPG/strings.xml create mode 100644 app/src/main/res/values-hr-rHR/google-playstore-strings.xml create mode 100644 app/src/main/res/values-hr-rHR/strings.xml create mode 100644 app/src/main/res/values-hsb-rDE/google-playstore-strings.xml create mode 100644 app/src/main/res/values-hsb-rDE/strings.xml create mode 100644 app/src/main/res/values-ht-rHT/google-playstore-strings.xml create mode 100644 app/src/main/res/values-ht-rHT/strings.xml create mode 100644 app/src/main/res/values-hu-rHU/google-playstore-strings.xml create mode 100644 app/src/main/res/values-hu-rHU/strings.xml create mode 100644 app/src/main/res/values-hy-rAM/google-playstore-strings.xml create mode 100644 app/src/main/res/values-hy-rAM/strings.xml create mode 100644 app/src/main/res/values-hz-rNA/google-playstore-strings.xml create mode 100644 app/src/main/res/values-hz-rNA/strings.xml create mode 100644 app/src/main/res/values-ig-rNG/google-playstore-strings.xml create mode 100644 app/src/main/res/values-ig-rNG/strings.xml create mode 100644 app/src/main/res/values-ii-rCN/google-playstore-strings.xml create mode 100644 app/src/main/res/values-ii-rCN/strings.xml create mode 100644 app/src/main/res/values-ilo-rPH/google-playstore-strings.xml create mode 100644 app/src/main/res/values-ilo-rPH/strings.xml create mode 100644 app/src/main/res/values-in-rID/google-playstore-strings.xml create mode 100644 app/src/main/res/values-in-rID/strings.xml create mode 100644 app/src/main/res/values-is-rIS/google-playstore-strings.xml create mode 100644 app/src/main/res/values-is-rIS/strings.xml create mode 100644 app/src/main/res/values-it-rIT/google-playstore-strings.xml create mode 100644 app/src/main/res/values-it-rIT/strings.xml create mode 100644 app/src/main/res/values-iu-rNU/google-playstore-strings.xml create mode 100644 app/src/main/res/values-iu-rNU/strings.xml create mode 100644 app/src/main/res/values-iw-rIL/google-playstore-strings.xml create mode 100644 app/src/main/res/values-iw-rIL/strings.xml create mode 100644 app/src/main/res/values-ja-rJP/google-playstore-strings.xml create mode 100644 app/src/main/res/values-ja-rJP/strings.xml create mode 100644 app/src/main/res/values-jbo-rEN/google-playstore-strings.xml create mode 100644 app/src/main/res/values-jbo-rEN/strings.xml create mode 100644 app/src/main/res/values-ji-rDE/google-playstore-strings.xml create mode 100644 app/src/main/res/values-ji-rDE/strings.xml create mode 100644 app/src/main/res/values-jv-rID/google-playstore-strings.xml create mode 100644 app/src/main/res/values-jv-rID/strings.xml create mode 100644 app/src/main/res/values-ka-rGE/google-playstore-strings.xml create mode 100644 app/src/main/res/values-ka-rGE/strings.xml create mode 100644 app/src/main/res/values-kg-rCG/google-playstore-strings.xml create mode 100644 app/src/main/res/values-kg-rCG/strings.xml create mode 100644 app/src/main/res/values-kj-rAO/google-playstore-strings.xml create mode 100644 app/src/main/res/values-kj-rAO/strings.xml create mode 100644 app/src/main/res/values-kk-rKZ/google-playstore-strings.xml create mode 100644 app/src/main/res/values-kk-rKZ/strings.xml create mode 100644 app/src/main/res/values-kl-rGL/google-playstore-strings.xml create mode 100644 app/src/main/res/values-kl-rGL/strings.xml create mode 100644 app/src/main/res/values-km-rKH/google-playstore-strings.xml create mode 100644 app/src/main/res/values-km-rKH/strings.xml create mode 100644 app/src/main/res/values-kmr-rTR/google-playstore-strings.xml create mode 100644 app/src/main/res/values-kmr-rTR/strings.xml create mode 100644 app/src/main/res/values-kn-rIN/google-playstore-strings.xml create mode 100644 app/src/main/res/values-kn-rIN/strings.xml create mode 100644 app/src/main/res/values-ko-rKR/google-playstore-strings.xml create mode 100644 app/src/main/res/values-ko-rKR/strings.xml create mode 100644 app/src/main/res/values-kok-rIN/google-playstore-strings.xml create mode 100644 app/src/main/res/values-kok-rIN/strings.xml create mode 100644 app/src/main/res/values-ks-rIN/google-playstore-strings.xml create mode 100644 app/src/main/res/values-ks-rIN/strings.xml create mode 100644 app/src/main/res/values-ku-rTR/google-playstore-strings.xml create mode 100644 app/src/main/res/values-ku-rTR/strings.xml create mode 100644 app/src/main/res/values-kv-rKO/google-playstore-strings.xml create mode 100644 app/src/main/res/values-kv-rKO/strings.xml create mode 100644 app/src/main/res/values-kw-rGB/google-playstore-strings.xml create mode 100644 app/src/main/res/values-kw-rGB/strings.xml create mode 100644 app/src/main/res/values-ky-rKG/google-playstore-strings.xml create mode 100644 app/src/main/res/values-ky-rKG/strings.xml create mode 100644 app/src/main/res/values-la-rLA/google-playstore-strings.xml create mode 100644 app/src/main/res/values-la-rLA/strings.xml create mode 100644 app/src/main/res/values-lb-rLU/google-playstore-strings.xml create mode 100644 app/src/main/res/values-lb-rLU/strings.xml create mode 100644 app/src/main/res/values-lg-rUG/google-playstore-strings.xml create mode 100644 app/src/main/res/values-lg-rUG/strings.xml create mode 100644 app/src/main/res/values-li-rLI/google-playstore-strings.xml create mode 100644 app/src/main/res/values-li-rLI/strings.xml create mode 100644 app/src/main/res/values-lij-rIT/google-playstore-strings.xml create mode 100644 app/src/main/res/values-lij-rIT/strings.xml create mode 100644 app/src/main/res/values-ln-rCD/google-playstore-strings.xml create mode 100644 app/src/main/res/values-ln-rCD/strings.xml create mode 100644 app/src/main/res/values-lo-rLA/google-playstore-strings.xml create mode 100644 app/src/main/res/values-lo-rLA/strings.xml create mode 100644 app/src/main/res/values-lt-rLT/google-playstore-strings.xml create mode 100644 app/src/main/res/values-lt-rLT/strings.xml create mode 100644 app/src/main/res/values-luy-rKE/google-playstore-strings.xml create mode 100644 app/src/main/res/values-luy-rKE/strings.xml create mode 100644 app/src/main/res/values-lv-rLV/google-playstore-strings.xml create mode 100644 app/src/main/res/values-lv-rLV/strings.xml create mode 100644 app/src/main/res/values-mai-rIN/google-playstore-strings.xml create mode 100644 app/src/main/res/values-mai-rIN/strings.xml create mode 100644 app/src/main/res/values-me-rME/google-playstore-strings.xml create mode 100644 app/src/main/res/values-me-rME/strings.xml create mode 100644 app/src/main/res/values-mg-rMG/google-playstore-strings.xml create mode 100644 app/src/main/res/values-mg-rMG/strings.xml create mode 100644 app/src/main/res/values-mh-rMH/google-playstore-strings.xml create mode 100644 app/src/main/res/values-mh-rMH/strings.xml create mode 100644 app/src/main/res/values-mi-rNZ/google-playstore-strings.xml create mode 100644 app/src/main/res/values-mi-rNZ/strings.xml create mode 100644 app/src/main/res/values-mk-rMK/google-playstore-strings.xml create mode 100644 app/src/main/res/values-mk-rMK/strings.xml create mode 100644 app/src/main/res/values-ml-rIN/google-playstore-strings.xml create mode 100644 app/src/main/res/values-ml-rIN/strings.xml create mode 100644 app/src/main/res/values-mn-rMN/google-playstore-strings.xml create mode 100644 app/src/main/res/values-mn-rMN/strings.xml create mode 100644 app/src/main/res/values-moh-rCA/google-playstore-strings.xml create mode 100644 app/src/main/res/values-moh-rCA/strings.xml create mode 100644 app/src/main/res/values-mr-rIN/google-playstore-strings.xml create mode 100644 app/src/main/res/values-mr-rIN/strings.xml create mode 100644 app/src/main/res/values-ms-rMY/google-playstore-strings.xml create mode 100644 app/src/main/res/values-ms-rMY/strings.xml create mode 100644 app/src/main/res/values-mt-rMT/google-playstore-strings.xml create mode 100644 app/src/main/res/values-mt-rMT/strings.xml create mode 100644 app/src/main/res/values-my-rMM/google-playstore-strings.xml create mode 100644 app/src/main/res/values-my-rMM/strings.xml create mode 100644 app/src/main/res/values-na-rNR/google-playstore-strings.xml create mode 100644 app/src/main/res/values-na-rNR/strings.xml create mode 100644 app/src/main/res/values-nb-rNO/google-playstore-strings.xml create mode 100644 app/src/main/res/values-nb-rNO/strings.xml create mode 100644 app/src/main/res/values-nds-rDE/google-playstore-strings.xml create mode 100644 app/src/main/res/values-nds-rDE/strings.xml create mode 100644 app/src/main/res/values-ne-rNP/google-playstore-strings.xml create mode 100644 app/src/main/res/values-ne-rNP/strings.xml create mode 100644 app/src/main/res/values-ng-rNA/google-playstore-strings.xml create mode 100644 app/src/main/res/values-ng-rNA/strings.xml create mode 100644 app/src/main/res/values-nl-rNL/google-playstore-strings.xml create mode 100644 app/src/main/res/values-nl-rNL/strings.xml create mode 100644 app/src/main/res/values-nn-rNO/google-playstore-strings.xml create mode 100644 app/src/main/res/values-nn-rNO/strings.xml create mode 100644 app/src/main/res/values-no-rNO/google-playstore-strings.xml create mode 100644 app/src/main/res/values-no-rNO/strings.xml create mode 100644 app/src/main/res/values-nr-rZA/google-playstore-strings.xml create mode 100644 app/src/main/res/values-nr-rZA/strings.xml create mode 100644 app/src/main/res/values-ns-rZA/google-playstore-strings.xml create mode 100644 app/src/main/res/values-ns-rZA/strings.xml create mode 100644 app/src/main/res/values-ny-rMW/google-playstore-strings.xml create mode 100644 app/src/main/res/values-ny-rMW/strings.xml create mode 100644 app/src/main/res/values-oc-rFR/google-playstore-strings.xml create mode 100644 app/src/main/res/values-oc-rFR/strings.xml create mode 100644 app/src/main/res/values-oj-rCA/google-playstore-strings.xml create mode 100644 app/src/main/res/values-oj-rCA/strings.xml create mode 100644 app/src/main/res/values-om-rET/google-playstore-strings.xml create mode 100644 app/src/main/res/values-om-rET/strings.xml create mode 100644 app/src/main/res/values-or-rIN/google-playstore-strings.xml create mode 100644 app/src/main/res/values-or-rIN/strings.xml create mode 100644 app/src/main/res/values-os-rSE/google-playstore-strings.xml create mode 100644 app/src/main/res/values-os-rSE/strings.xml create mode 100644 app/src/main/res/values-pa-rIN/google-playstore-strings.xml create mode 100644 app/src/main/res/values-pa-rIN/strings.xml create mode 100644 app/src/main/res/values-pam-rPH/google-playstore-strings.xml create mode 100644 app/src/main/res/values-pam-rPH/strings.xml create mode 100644 app/src/main/res/values-pcm-rNG/google-playstore-strings.xml create mode 100644 app/src/main/res/values-pcm-rNG/strings.xml create mode 100644 app/src/main/res/values-pi-rIN/google-playstore-strings.xml create mode 100644 app/src/main/res/values-pi-rIN/strings.xml create mode 100644 app/src/main/res/values-pl-rPL/google-playstore-strings.xml create mode 100644 app/src/main/res/values-pl-rPL/strings.xml create mode 100644 app/src/main/res/values-ps-rAF/google-playstore-strings.xml create mode 100644 app/src/main/res/values-ps-rAF/strings.xml create mode 100644 app/src/main/res/values-pt-rBR/google-playstore-strings.xml create mode 100644 app/src/main/res/values-pt-rBR/strings.xml create mode 100644 app/src/main/res/values-pt-rPT/google-playstore-strings.xml create mode 100644 app/src/main/res/values-pt-rPT/strings.xml create mode 100644 app/src/main/res/values-qu-rPE/google-playstore-strings.xml create mode 100644 app/src/main/res/values-qu-rPE/strings.xml create mode 100644 app/src/main/res/values-quc-rGT/google-playstore-strings.xml create mode 100644 app/src/main/res/values-quc-rGT/strings.xml create mode 100644 app/src/main/res/values-qya-rAA/google-playstore-strings.xml create mode 100644 app/src/main/res/values-qya-rAA/strings.xml create mode 100644 app/src/main/res/values-rm-rCH/google-playstore-strings.xml create mode 100644 app/src/main/res/values-rm-rCH/strings.xml create mode 100644 app/src/main/res/values-rn-rBI/google-playstore-strings.xml create mode 100644 app/src/main/res/values-rn-rBI/strings.xml create mode 100644 app/src/main/res/values-ro-rRO/google-playstore-strings.xml create mode 100644 app/src/main/res/values-ro-rRO/strings.xml create mode 100644 app/src/main/res/values-ru-rRU/google-playstore-strings.xml create mode 100644 app/src/main/res/values-ru-rRU/strings.xml create mode 100644 app/src/main/res/values-rw-rRW/google-playstore-strings.xml create mode 100644 app/src/main/res/values-rw-rRW/strings.xml create mode 100644 app/src/main/res/values-ry-rUA/google-playstore-strings.xml create mode 100644 app/src/main/res/values-ry-rUA/strings.xml create mode 100644 app/src/main/res/values-sa-rIN/google-playstore-strings.xml create mode 100644 app/src/main/res/values-sa-rIN/strings.xml create mode 100644 app/src/main/res/values-sat-rIN/google-playstore-strings.xml create mode 100644 app/src/main/res/values-sat-rIN/strings.xml create mode 100644 app/src/main/res/values-sc-rIT/google-playstore-strings.xml create mode 100644 app/src/main/res/values-sc-rIT/strings.xml create mode 100644 app/src/main/res/values-sco-rGB/google-playstore-strings.xml create mode 100644 app/src/main/res/values-sco-rGB/strings.xml create mode 100644 app/src/main/res/values-sd-rPK/google-playstore-strings.xml create mode 100644 app/src/main/res/values-sd-rPK/strings.xml create mode 100644 app/src/main/res/values-se-rNO/google-playstore-strings.xml create mode 100644 app/src/main/res/values-se-rNO/strings.xml create mode 100644 app/src/main/res/values-sg-rCF/google-playstore-strings.xml create mode 100644 app/src/main/res/values-sg-rCF/strings.xml create mode 100644 app/src/main/res/values-sh-rHR/google-playstore-strings.xml create mode 100644 app/src/main/res/values-sh-rHR/strings.xml create mode 100644 app/src/main/res/values-si-rLK/google-playstore-strings.xml create mode 100644 app/src/main/res/values-si-rLK/strings.xml create mode 100644 app/src/main/res/values-sk-rSK/google-playstore-strings.xml create mode 100644 app/src/main/res/values-sk-rSK/strings.xml create mode 100644 app/src/main/res/values-sl-rSI/google-playstore-strings.xml create mode 100644 app/src/main/res/values-sl-rSI/strings.xml create mode 100644 app/src/main/res/values-sma-rNO/google-playstore-strings.xml create mode 100644 app/src/main/res/values-sma-rNO/strings.xml create mode 100644 app/src/main/res/values-sn-rZW/google-playstore-strings.xml create mode 100644 app/src/main/res/values-sn-rZW/strings.xml create mode 100644 app/src/main/res/values-so-rSO/google-playstore-strings.xml create mode 100644 app/src/main/res/values-so-rSO/strings.xml create mode 100644 app/src/main/res/values-son-rZA/google-playstore-strings.xml create mode 100644 app/src/main/res/values-son-rZA/strings.xml create mode 100644 app/src/main/res/values-sq-rAL/google-playstore-strings.xml create mode 100644 app/src/main/res/values-sq-rAL/strings.xml create mode 100644 app/src/main/res/values-sr-rCS/google-playstore-strings.xml create mode 100644 app/src/main/res/values-sr-rCS/strings.xml create mode 100644 app/src/main/res/values-sr-rSP/google-playstore-strings.xml create mode 100644 app/src/main/res/values-sr-rSP/strings.xml create mode 100644 app/src/main/res/values-ss-rZA/google-playstore-strings.xml create mode 100644 app/src/main/res/values-ss-rZA/strings.xml create mode 100644 app/src/main/res/values-st-rZA/google-playstore-strings.xml create mode 100644 app/src/main/res/values-st-rZA/strings.xml create mode 100644 app/src/main/res/values-su-rID/google-playstore-strings.xml create mode 100644 app/src/main/res/values-su-rID/strings.xml create mode 100644 app/src/main/res/values-sv-rFI/google-playstore-strings.xml create mode 100644 app/src/main/res/values-sv-rFI/strings.xml create mode 100644 app/src/main/res/values-sv-rSE/google-playstore-strings.xml create mode 100644 app/src/main/res/values-sv-rSE/strings.xml create mode 100644 app/src/main/res/values-sw-rKE/google-playstore-strings.xml create mode 100644 app/src/main/res/values-sw-rKE/strings.xml create mode 100644 app/src/main/res/values-sw-rTZ/google-playstore-strings.xml create mode 100644 app/src/main/res/values-sw-rTZ/strings.xml create mode 100644 app/src/main/res/values-syc-rSY/google-playstore-strings.xml create mode 100644 app/src/main/res/values-syc-rSY/strings.xml create mode 100644 app/src/main/res/values-ta-rIN/google-playstore-strings.xml create mode 100644 app/src/main/res/values-ta-rIN/strings.xml create mode 100644 app/src/main/res/values-tay-rTW/google-playstore-strings.xml create mode 100644 app/src/main/res/values-tay-rTW/strings.xml create mode 100644 app/src/main/res/values-te-rIN/google-playstore-strings.xml create mode 100644 app/src/main/res/values-te-rIN/strings.xml create mode 100644 app/src/main/res/values-tg-rTJ/google-playstore-strings.xml create mode 100644 app/src/main/res/values-tg-rTJ/strings.xml create mode 100644 app/src/main/res/values-th-rTH/google-playstore-strings.xml create mode 100644 app/src/main/res/values-th-rTH/strings.xml create mode 100644 app/src/main/res/values-ti-rER/google-playstore-strings.xml create mode 100644 app/src/main/res/values-ti-rER/strings.xml create mode 100644 app/src/main/res/values-tk-rTM/google-playstore-strings.xml create mode 100644 app/src/main/res/values-tk-rTM/strings.xml create mode 100644 app/src/main/res/values-tl-rPH/google-playstore-strings.xml create mode 100644 app/src/main/res/values-tl-rPH/strings.xml create mode 100644 app/src/main/res/values-tn-rZA/google-playstore-strings.xml create mode 100644 app/src/main/res/values-tn-rZA/strings.xml create mode 100644 app/src/main/res/values-tr-rTR/google-playstore-strings.xml create mode 100644 app/src/main/res/values-tr-rTR/strings.xml create mode 100644 app/src/main/res/values-ts-rZA/google-playstore-strings.xml create mode 100644 app/src/main/res/values-ts-rZA/strings.xml create mode 100644 app/src/main/res/values-tt-rRU/google-playstore-strings.xml create mode 100644 app/src/main/res/values-tt-rRU/strings.xml create mode 100644 app/src/main/res/values-tw-rTW/google-playstore-strings.xml create mode 100644 app/src/main/res/values-tw-rTW/strings.xml create mode 100644 app/src/main/res/values-ty-rPF/google-playstore-strings.xml create mode 100644 app/src/main/res/values-ty-rPF/strings.xml create mode 100644 app/src/main/res/values-ug-rCN/google-playstore-strings.xml create mode 100644 app/src/main/res/values-ug-rCN/strings.xml create mode 100644 app/src/main/res/values-uk-rUA/google-playstore-strings.xml create mode 100644 app/src/main/res/values-uk-rUA/strings.xml create mode 100644 app/src/main/res/values-ur-rPK/google-playstore-strings.xml create mode 100644 app/src/main/res/values-ur-rPK/strings.xml create mode 100644 app/src/main/res/values-uz-rUZ/google-playstore-strings.xml create mode 100644 app/src/main/res/values-uz-rUZ/strings.xml create mode 100644 app/src/main/res/values-val-rES/google-playstore-strings.xml create mode 100644 app/src/main/res/values-val-rES/strings.xml create mode 100644 app/src/main/res/values-ve-rZA/google-playstore-strings.xml create mode 100644 app/src/main/res/values-ve-rZA/strings.xml create mode 100644 app/src/main/res/values-vec-rIT/google-playstore-strings.xml create mode 100644 app/src/main/res/values-vec-rIT/strings.xml create mode 100644 app/src/main/res/values-vi-rVN/google-playstore-strings.xml create mode 100644 app/src/main/res/values-vi-rVN/strings.xml create mode 100644 app/src/main/res/values-vls-rBE/google-playstore-strings.xml create mode 100644 app/src/main/res/values-vls-rBE/strings.xml create mode 100644 app/src/main/res/values-wa-rBE/google-playstore-strings.xml create mode 100644 app/src/main/res/values-wa-rBE/strings.xml create mode 100644 app/src/main/res/values-wo-rSN/google-playstore-strings.xml create mode 100644 app/src/main/res/values-wo-rSN/strings.xml create mode 100644 app/src/main/res/values-xh-rZA/google-playstore-strings.xml create mode 100644 app/src/main/res/values-xh-rZA/strings.xml create mode 100644 app/src/main/res/values-yo-rNG/google-playstore-strings.xml create mode 100644 app/src/main/res/values-yo-rNG/strings.xml create mode 100644 app/src/main/res/values-zh-rCN/google-playstore-strings.xml create mode 100644 app/src/main/res/values-zh-rCN/strings.xml create mode 100644 app/src/main/res/values-zh-rTW/google-playstore-strings.xml create mode 100644 app/src/main/res/values-zh-rTW/strings.xml create mode 100644 app/src/main/res/values-zu-rZA/google-playstore-strings.xml create mode 100644 app/src/main/res/values-zu-rZA/strings.xml diff --git a/app/src/main/res/values-aa-rER/google-playstore-strings.xml b/app/src/main/res/values-aa-rER/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-aa-rER/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-aa-rER/strings.xml b/app/src/main/res/values-aa-rER/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-aa-rER/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-ach-rUG/google-playstore-strings.xml b/app/src/main/res/values-ach-rUG/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-ach-rUG/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-ach-rUG/strings.xml b/app/src/main/res/values-ach-rUG/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-ach-rUG/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-ae-rIR/google-playstore-strings.xml b/app/src/main/res/values-ae-rIR/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-ae-rIR/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-ae-rIR/strings.xml b/app/src/main/res/values-ae-rIR/strings.xml new file mode 100644 index 00000000..bd7e2bd1 --- /dev/null +++ b/app/src/main/res/values-ae-rIR/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + تنظیمات + ارسال بازخورد + بررسی + تاریخچه + نکات + سلام. + سلام. + شرایط استفاده. + من شرایط استفاده را مطالعه کردم و آنرا پذیرفتم + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + ما فقط به چند چیز کوچک قبل از شروع نیاز داریم. + کشور + سن + لطفا سن درست را وارد کنید. + جنسیت + مرد + زن + دیگر + نوع دیابت + نوع ۱ + نوع۲ + واحد مورد نظر + به اشتراک گذاشتن داده ها به صورت ناشناس جهت تحقیقات. + شما می توانید این را بعدا در تنظیمات تغییر دهید. + بعدی + شروع به کار + No info available yet. \n Add your first reading here. + وارد کردن سطح گلوکز(قند) خون + غلظت + تاریخ + زمان + اندازه گیری شده + قبل صبحانه + بعد صبحانه + قبل از ناهار + بعد از ناهار + قبل از شام + بعد از شام + General + بررسی مجدد + شب + دیگر + لغو + اضافه + لطفا یک مقدار معتبر وارد کنید. + لطفا تمامی بخش ها را پر کنید. + حذف + ویرایش + 1 reading deleted + برگردان + اخرین بررسی: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + درباره + نسخه + شرایط استفاده + نوع + Weight + دسته سفارشی شده برای اندازه گیری + + خوردن غذا های تازه و فراوری نشده برای کمک به کاهش مصرف کربوهیدارت و قند و شکر. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + دستیار + بروزرسانی همین حالا + متوجه شدم + ارسال بازخورد + ADD READING + بروزرسانی وزن + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + ارسال بازخورد + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-af-rZA/google-playstore-strings.xml b/app/src/main/res/values-af-rZA/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-af-rZA/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-af-rZA/strings.xml b/app/src/main/res/values-af-rZA/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-af-rZA/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-ak-rGH/google-playstore-strings.xml b/app/src/main/res/values-ak-rGH/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-ak-rGH/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-ak-rGH/strings.xml b/app/src/main/res/values-ak-rGH/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-ak-rGH/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-am-rET/google-playstore-strings.xml b/app/src/main/res/values-am-rET/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-am-rET/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-am-rET/strings.xml b/app/src/main/res/values-am-rET/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-am-rET/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-an-rES/google-playstore-strings.xml b/app/src/main/res/values-an-rES/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-an-rES/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-an-rES/strings.xml b/app/src/main/res/values-an-rES/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-an-rES/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-ar-rSA/google-playstore-strings.xml b/app/src/main/res/values-ar-rSA/google-playstore-strings.xml new file mode 100644 index 00000000..0fe6fb0e --- /dev/null +++ b/app/src/main/res/values-ar-rSA/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + جلوكسيو + Glucosio is a user centered free and open source app for people with diabetes + باستخدام جلوكسيو، يمكنك إدخال وتتبع مستويات السكر في الدم، ودعم أبحاث مرض السكري بالمساهمة باتجاهات الجلوكوز الديمغرافية بطريقة آمنه، واحصل على نصائح مفيدة من خلال مساعدنا. جلوكسيو تحترم الخصوصية الخاصة بك، وأنت دائماً المسيطر على البيانات الخاصة بك. + * المستخدم محورها. جلوكسيو تطبيقات تم إنشاؤها باستخدام ميزات وتصاميم تتطابق مع احتياجات المستخدم ونحن نتقبل ارائكم باستمرار لتحسين المنتج. + * المصدر المفتوح. تطبيقات جلوكسيو تعطيك الحرية في استخدام ونسخ، ودراسة، وتغيير التعليمات البرمجية من أي من تطبيقات لدينا وحتى المساهمة في مشروع جلوكسيو. + * إدارة البيانات. جلوكسيو يسمح لك بتتبع وإدارة بياناتك الخاصة بداء السكري من واجهة حديثة بنيت بناء على توصيات من مرضى السكري. + * دعم البحوث. تطبيقات جلوكسيو تعطي للمستخدمين خيار عدم مشاركة معلوماتهم الخاصة بمستويات السكري ومعلومات ديموغرافية مع الباحثين. + يرجى ارسال أي الأخطاء أو المشاكل أو الطلبات لـ: + https://github.com/glucosio/android + تفاصيل أكثر: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-ar-rSA/strings.xml b/app/src/main/res/values-ar-rSA/strings.xml new file mode 100644 index 00000000..f09c4549 --- /dev/null +++ b/app/src/main/res/values-ar-rSA/strings.xml @@ -0,0 +1,136 @@ + + + + جلوكوسيو + إعدادات + ارسل رأيك + نظره عامه + السّجل + نصائح + مرحباً. + مرحباً. + شروط الاستخدام + لقد قرأت وقبلت \"شروط الاستخدام\" + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + نحن بحاجة فقط لبضعة أشياء سريعة قبل البدء. + الدولة + العمر + الرجاء إدخال عمر صحيح. + الجنس + ذكر + أنثى + غير ذلك + نوع داء السكر + نوع 1 + نوع 2 + الوحدة المفضلة + شارك البيانات بطريقة مجهولة للبحوث. + يمكنك تغيير هذه الإعدادات في وقت لاحق. + التالي + لنبدأ + No info available yet. \n Add your first reading here. + أضف مستوى الجلوكوز في الدم + التركيز + التاريخ + الوقت + القياس + قبل الإفطار + وبعد الإفطار + قبل الغداء + بعد الغداء + قبل العشاء + بعد العشاء + عامّ + إعادة فحص + ليل + غير ذلك + ألغِ + أضِف + الرجاء إدخال قيمة صحيحة. + الرجاء تعبئة كافة الحقول. + احذف + عدِّل + حُذِفت قراءة واحدة + التراجع عن + أخر فحص: + الاتجاه الشهر الماضي: + في النطاق وصحي + الشهر + يوم + اسبوع + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + عن + الإصدار + شروط الاستخدام + نوع + الوزن + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + مساعدة + حدِّث الآن + OK, GOT IT + أرسل الملاحظات + أضف القراءة + حدِّث وزنك + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + إرسال ملاحظات + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + إضافة قراءة + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + قيمة الحد الأدنى + قيمة الحد الأقصى + جرِّبها الآن + diff --git a/app/src/main/res/values-arn-rCL/google-playstore-strings.xml b/app/src/main/res/values-arn-rCL/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-arn-rCL/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-arn-rCL/strings.xml b/app/src/main/res/values-arn-rCL/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-arn-rCL/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-as-rIN/google-playstore-strings.xml b/app/src/main/res/values-as-rIN/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-as-rIN/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-as-rIN/strings.xml b/app/src/main/res/values-as-rIN/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-as-rIN/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-ast-rES/google-playstore-strings.xml b/app/src/main/res/values-ast-rES/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-ast-rES/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-ast-rES/strings.xml b/app/src/main/res/values-ast-rES/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-ast-rES/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-av-rDA/google-playstore-strings.xml b/app/src/main/res/values-av-rDA/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-av-rDA/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-av-rDA/strings.xml b/app/src/main/res/values-av-rDA/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-av-rDA/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-ay-rBO/google-playstore-strings.xml b/app/src/main/res/values-ay-rBO/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-ay-rBO/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-ay-rBO/strings.xml b/app/src/main/res/values-ay-rBO/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-ay-rBO/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-az-rAZ/google-playstore-strings.xml b/app/src/main/res/values-az-rAZ/google-playstore-strings.xml new file mode 100644 index 00000000..90c29484 --- /dev/null +++ b/app/src/main/res/values-az-rAZ/google-playstore-strings.xml @@ -0,0 +1,20 @@ + + + + + Glucosio + Glucosio — şəkər xəstəliyi olan insanlar üçün pulsuz və açıq qaynaq kodlu proqramdır + Glucosio-dan istifadə edərək, siz qlükozanın səviyyəsi haqqında məlumatları daxil edə və izləyə bilərsiniz, demoqrafiya və qlükozanın səviyyəsi haqqında anonim məlumatların göndərilməsi yolu ilə diabetin tədqiqatlarını dəstəkləmək, həmçinin bizdən məsləhət almaq anonimdir. Glucosio sizin şəxsi həyatınıza hörmət edir və sizin məlumatlarınızı daim nəzarətdə saxlayır. + * İstifadəçi mərkəzli. Glucosio proqramlarının imkanları və dizaynı istifadəçilərin ehtiyaclarına uyğun yaradılmışdır və biz proqramlarımızı yaxşılaşdırmaq üçün əlaqəyə daim hazırıq. + * Açıq qaynaq kodu. Glucosio sizə azad istifadə etmək, köçürmək, araşdırmaq və istənilən proqramımızın mənbə kodunu dəyişdirmək, həmçinin Glucosio layihəsində iştirak etmək hüququnu verir. + * Məlumatları idarə etmə. Glucosio sizə şəkər xəstələri ilə əks əlaqəylə intuitiv və müasir formada məlumatları izləmə və idarə etmə imkanı verir. + * Tədqiqatların dəstəyi. Glucosio istifadəçilərə tədqiqatçılara diabet haqqında anonim məlumatları, həmçinin demoqrafik xarakterin məlumatlarını göndərmək imkanını verir. + +* Поддержка исследований. Glucosio даёт пользователям возможность отправлять исследователям анонимные данные о диабете, а также сведения демографического характера. + Səhvlər, problemlər, həmçinin yeni imkanlar haqqında bu ünvana sorğu göndərin: + https://github.com/glucosio/android + Daha ətraflı: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-az-rAZ/strings.xml b/app/src/main/res/values-az-rAZ/strings.xml new file mode 100644 index 00000000..51e14b41 --- /dev/null +++ b/app/src/main/res/values-az-rAZ/strings.xml @@ -0,0 +1,137 @@ + + + + Glucosio + Nizamlamalar + Əks əlaqə + Ön baxış + Tarix + İp ucları + Salam. + Salam. + İstifadə şərtləri. + İstifadə şərtlərini oxudum və qəbul edirəm + Glucosio Web saytı, qrfika, rəsm və digər materialları (\"məzmunlar\") şeyləri sadəcə +məlumat məqsədlidir. Həkiminizin dedikləri ilə bərabər, sizə köməkçi olmaq üçün hazırlanan professional bir proqramdır. Uyğun sağlamlıq yoxlanması üçün həmişə həkiminizlə məsləhətləşin. Proqram professional bir sağlamlıq proqramıdır, ancaq əsla və əsla həkimin müayinəsini laqeydlik etməyin və proqramın dediklərinə görə həkimə getməkdən imtina etməyin. Glucosio Web saytı, Blog, Viki və digər əlçatan məzmunlar (\"Web saytı\") sadəcə yuxarıda açıqlanan məqsəd üçün istifadə olunmalıdırr. \n güven Glucosio, Glucosio komanda üzvləri, könüllüllər və digərləri tərəfindən verilən hər hansı məlumatata etibar edin ya da bütün risk sizin üzərinizdədir. Sayt və məzmunu \"olduğu kimi\" formasında təqdim olunur. + Başlamamışdan əvvəl bir neçə şey etməliyik. + Ölkə + Yaş + Lütfən doğru yaşınızı daxil edin. + Cinsiyyət + Kişi + Qadın + Digər + Diyabet tipi + Tip 1 + Tip 2 + Seçilən vahid + Araştırma üçün anonim məlumat göndər. + Bu seçimləri sonra dəyişə bilərsiniz. + Növbəti + BAŞLA + Hələki məlumat yoxdur \n Bura əlavə edə bilərsiniz. + Qan qlikoza dərəcəsi əlavə et + Qatılıq + Tarix + Vaxt + Ölçülən + Səhər, yeməkdən əvvəl + Səhər, yeməkdən sonra + Nahardan əvvəl + Nahardan sonra + Şam yeməyindən əvvəl + Şam yeməyindən sonra + Ümumi + Yenidən yoxla + Gecə + Digər + LƏĞV ET + ƏLAVƏ ET + Etibarlı dəyər daxil edin. + Boş yerləri doldurun. + Sil + Redaktə + 1 oxunma silindi + GERİ + Son yoxlama: + Son bir aydakı tendesiya: + intervalında və sağlam + Ay + Gün + Həftə + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + Haqqında + Versiya + İstifadə şərtləri + Tip + Çəki + Şəxsi ölçü kateqoriyası + + Karbohidrat və şəkər qəbulunu azaltmaq üçün təzə və işlənməmiş qidalardan istifadə edin. + Paketlənmiş məhsulların karbohidrat və şəkər dərəcəsini öyənməkçün etiketləri oxuyun. + Başqa yerdə yeyərkən, əlavə heç bir yağ və ya kərəyağı olmadan balıq, qızartma ət istəyin. + Başqa yerdə yeyərkən, aşağı natriumlu yeməklər olub olmadığını soruşun. + Başqa yerdə yeyərkən, evdə yediyiniz qədər sifariş edin, qalanını isə paketləməyi istəyin. + Başqa yerdə yeyərkən, az kalorili yemək seçin, salat sosu kimi, menyuda olmasa belə istəyin. + Başqa yerdə yeyərkən, dəyişməkdən çəkinməyin. Kartof qızartması əvəzinə tərəvəz istəyin, xiyar, yaşıl lobya və ya brokoli. + Başqa yerdə yeyərkən, qızartmalardan uzaq durun. + Başqa yerdə yeyərkən, sos istəyəndə salatım \"kənarında\" qoymalarını istəyin + Şəkərsiz demək, tamamən şəkər yoxdu demək deyil. Hər porsiyada 0.5 (q) şəkər var deməkdir. Həddən çox \"şəkərsiz\" məhsul istifadə etməyin. + Çəkinin normallaşması qanda şəkərə nəzarət etməyə kömək edir. Sizin həkiminiz, diyetoloq və fitnes-məşqçi sizə çəkinin normallaşmasının planını hazırlamağa kömək edəcəklər. + Qanda şəkərin səviyyəsini yoxlayın və onu gündə iki dəfə Glucosio kimi xüsusi proqramların köməyi ilə izləyin, bu sizə yeməyi və həyat tərzini anlamağa kömək edəcək. + 2-3 ayda bir dəfə qanda şəkərin orta səviyyəsini bilmək üçün A1c qan analizini edin. Sizin həkiminiz hansı tezlikdə analiz verməli olduğunuzu deməlidir. + Sərf edilən karbohidratların izlənilməsi qanda şəkərin səviyyəsinin yoxlaması kimi əhəmiyyətli ola bilər, çünki karbohidratlar qanda qlükozanın səviyyəsinə təsir edir. Sizin həkiminizlə və ya diyetoloqla karbohidrat qəbulunu müzakirə edin. + Qan təzyiqinin, xolesterinin və triqliseridovin səviyyəsinə nəzarət etmək əhəmiyyətlidir, çünki şəkər xəstələri ürək xəstəliklərinə meyillidir. + Pəhrizin bir neçə variantı mövcuddur, onların köməyiylə daha çox sağlam qidalana bilirsiniz, bu sizə öz diabetinə nəzarət etməyə kömək edəcək. Hansı pəhrizin sizə və büdcənizə uyğun olması barədə diyetoloqdan soruşun. + Müntəzəm fiziki tapşırıqlar diabetiklər üçün xüsusilə əhəmiyyətlidir, çünki bu normal çəkini dəstəkləməyə kömək edir. Hansı tapşırıqların sizə uyğun olmasını həkiminizlə müzakirə edin. + Doyunca yatmamaqla çox yemək (xüsusilə qeyri sağlam qida) sizin sağlamlığınızda pis təsir edir. Gecələr yaxşı yatın. Əgər yuxuyla bağlı problemlər sizi narahat edirsə, mütəxəssisə müraciət edin. + Stress şəkər xəstələrinə pis təsir göstərir. Stressin öhdəsindən gəlmək barədə həkiminizlə və ya başqa mütəxəssislə məsləhətləşin. + İllik həkim yoxlaması və həkimlə mütəmadi əlaqə şəkər xəstləri üçün çox əhəmiyyətlidir, bu xəstəliyin istənilən kəskin partlayışının qarşısını almağa imkanverəcək. + Həkiminizin təyinatı üzrə dərmanları qəbul edin, hətta dərmanların qəbulunda kiçik buraxılışlar qanda şəkərin səviyyəsinə təsir göstərir və başqa təsirləri də ola bilər. Əgər sizə dərmanların qəbulunu xatırlamaq çətindirsə, xatırlatmanın imkanları haqqında həkiminizdən soruşun. + + + Yaşlı şəkər xəstələrində sağlamlıqla problemlərin yaranma riski daha çoxdur. Həkiminizlə yaşınızın xəstəliyinizə təsiri haqda danışın və nə etməli olduğunuzu öyrənin. + Hazırlanan yeməklərdə duzun miqdarını azaldın. Həmçinin yemək yeyərkən əlavə etdiyiniz duz miqdarını da azaldın. + + Köməkçi + İndi yenilə + OLDU, ANLADIM + ƏKS ƏLAQƏ GÖNDƏR + OXUMA ƏLAVƏ ET + Çəkinizi yeniləyin + Ən dəqiq informasiyaya malik olmaq üçün Glucosio-u yeniləməyi unutmayın. + Araşdırma qəbulunu yeniləyin + Siz həmişə diabetin birgə tədqiqatına qoşula və çıxa bilərsiniz, amma xatırladaq ki, bütün məlumatlar tamamilə anonimdir. Yalnız demoqrafiklər və qanda qlükozanın səviyyələrində tendensiyalar paylaşılır. + Kateqoriya yarat + Glucosio, standart olaraq qlükoza kateqoriyalara bölünmüş halda gəlir, amma siz nizamlamalarda şəxsi kateqoriyalarınızı yarada bilərsiniz. + Buranı tez-tez yoxla + Glucosio köməkçisi müntəzəm məsləhətlər verir və yaxşılaşmağa davam edəcək, buna görə hər zaman Glucosio təcrübənizi yaxşılaşdıracaq və digər faydalı şeylər üçün buranı yoxlayın. + Əks əlaqə göndər + Əgər siz hər hansı texniki problem aşkar etsəniz və ya Glucosio ilə əks əlaqə yaratmaq istəsəniz, Glucosio-u yaxşılaşdırmağa kömək etmək üçün nizamlamalardan bizə təqdim etməyinizi xahiş edirik. + Oxuma əlavə et + Qlükozanın öz ifadələrini daim əlavə etdiyinizə əmin olun. Buna görə sizə uzun vaxt ərzində qlükozanın səviyyələrini izləməyə kömək edə bilərik. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Seçilən aralıq + Şəxsi aralıq + Minimum dəyər + Maksimum dəyər + İNDİ SINA + diff --git a/app/src/main/res/values-ba-rRU/google-playstore-strings.xml b/app/src/main/res/values-ba-rRU/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-ba-rRU/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-ba-rRU/strings.xml b/app/src/main/res/values-ba-rRU/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-ba-rRU/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-bal-rBA/google-playstore-strings.xml b/app/src/main/res/values-bal-rBA/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-bal-rBA/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-bal-rBA/strings.xml b/app/src/main/res/values-bal-rBA/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-bal-rBA/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-ban-rID/google-playstore-strings.xml b/app/src/main/res/values-ban-rID/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-ban-rID/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-ban-rID/strings.xml b/app/src/main/res/values-ban-rID/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-ban-rID/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-be-rBY/google-playstore-strings.xml b/app/src/main/res/values-be-rBY/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-be-rBY/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-be-rBY/strings.xml b/app/src/main/res/values-be-rBY/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-be-rBY/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-ber-rDZ/google-playstore-strings.xml b/app/src/main/res/values-ber-rDZ/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-ber-rDZ/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-ber-rDZ/strings.xml b/app/src/main/res/values-ber-rDZ/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-ber-rDZ/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-bfo-rBF/google-playstore-strings.xml b/app/src/main/res/values-bfo-rBF/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-bfo-rBF/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-bfo-rBF/strings.xml b/app/src/main/res/values-bfo-rBF/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-bfo-rBF/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-bg-rBG/google-playstore-strings.xml b/app/src/main/res/values-bg-rBG/google-playstore-strings.xml new file mode 100644 index 00000000..a4ec05a0 --- /dev/null +++ b/app/src/main/res/values-bg-rBG/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio е потребителски центрирано, безплатно и с отворен код приложение за хора с диабет + Използвайки Glucosio, може да въведете и проследявате нивата на кръвната захар, анонимно да подкрепите изследвания на диабета като предоставите демографски и анонимни тенденции на кръвната захар, да получите полезни съвети чрез нашия помощник. Glucosio уважава вашата поверителност и вие винаги може да контролирате вашите данни. + * Потребителски центрирано. Glucosio приложенията са изградени с функции и дизайн, които да отговарят на потребителските нужди и винаги сме отворени за предложения във връзка с подобрението. + * Отворен код. Glucosio приложенията ви дават свободата да използвате, копирате, проучвате и променяте кода на всяко едно от нашите приложения и дори да допринесете за развитието на Glucosio проекта. + * Управление на данни. Glucosio ви позволява да следите и да управлявате данните за диабета ви по интуитивен, модерен интерфейс изграден с помощта на съвети от диабетици. + * Подкрепете проучването. Glucosio приложенията дават на потребителите избор дали да участват в анонимното споделяне на данни за диабета и демографска информация с изследователите. + Моля изпращайте всякакви грешки, проблеми или предложения за функции на: + https://github.com/glucosio/android + Вижте повече: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-bg-rBG/strings.xml b/app/src/main/res/values-bg-rBG/strings.xml new file mode 100644 index 00000000..2ed3d8c6 --- /dev/null +++ b/app/src/main/res/values-bg-rBG/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Настройки + Изпрати отзив + Преглед + История + Съвети + Здравейте. + Здравейте. + Условия за ползване + Прочетох и приемам условията за ползване + Съдържанието на уеб страницата и приложението на Glucosio, например текст, графики, изображения и други материали (\"Съдържание\") са само с информативни цели. Съдържанието не е предназначено да бъде заместител на професионален медицински съвет, диагностика или лечение. Насърчаваме потребителите на Glucosio винаги да търсят съвет от лекар или друг квалифициран медицински специалист за всякакви въпроси, които може да имат по отношение на медицинско състояние. Никога не пренебрегвайте професионален медицински съвет и не го търсете със закъснение, защото сте прочели нещо в уеб страницата на Glucosio или в нашето приложение. Уеб страницата, блогът, уики странцата на Glucosio или друго съдържание достъпно през уеб браузър (\"Уеб страница\") трябва да се използва само за описаното по-горе предназначение.\n Уповаването във всякаква информация предоставена от Glucosio, екипът на Glucosio, доброволци и други, показани на Уеб страницата или в нашите приложения е единствено на ваш риск. Страницата и Съдържанието са предоставени само като основа. + Необходимо е набързо да попълните няколко неща преди да започнете. + Държава + Възраст + Моля въведете действителна възраст. + Пол + Мъж + Жена + Друг + Тип диабет + Тип 1 + Тип 2 + Предпочитана единица + Споделете анонимни данни за проучване. + Можете да промените тези настройки по-късно. + СЛЕДВАЩА + НАЧАЛО + Все още няма налична информация. \n Добавете вашите стойности тук. + Добави Ниво на Кръвната Захар + Концентрация + Дата + Време + Измерено + Преди закуска + След закуска + Преди обяд + След обяд + Преди вечеря + След вечеря + Основни + Повторна проверка + Нощ + Друг + Отказ + Добави + Моля въведете правилна стойност. + Моля попълнете всички полета. + Изтриване + Промяна + 1 отчитане изтрито + Отменям + Последна проверка: + Тенденция през последния месец: + В граници и здравословен + Месец + Ден + Седмица + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + Относно + Версия + Условия за ползване + Тип + Тегло + Потребителска категория за измерване + + Яжте повече пресни, неподправени храни, това ще спомогне за намаляване на приема на захар и въглехидрати. + Четете етикетите на пакетираните храни и напитки, за да контролирате приема на захар и въглехидрати. + Когато се храните навън, попитайте за риба и месо, печени без допълнително масло или олио. + Когато се храните навън, попитайте дали имат ястия с ниско съдържание на натрий. + Когато се храните навън, изяждайте същите порции, които бихте изяли у дома и помолете да вземете останалото за вкъщи. + Когато се храните навън питайте за ниско калорични храни като дресинги за салата, дори да ги няма в менюто. + Когато се храните навън, попитайте за заместители, например вместо Пържени картофи, поискайте зеленчуци, салата, зелен боб или броколи. + Когато се храните навън, поръчвайте храна, която не е панирана или пържена. + Когато се храните навън помолете отделно за сосове, сокове и дресинги за салата. + \"Без захар\" не означава наистина без захар. Означава 0,5 грама (g) захар на порция, така че внимавайте и не включвайте много храни \"без захар\" в храненето ви. + Поддържането на здравословно тегло ви помага да контролирате нивото на кръвна захар. Вашият доктор, диетолог или фитнес инструктор може да Ви помогне да изградите подходящ за вас режим. + Проверяването на нивото на кръвна захар и следенето й с приложение като Glucosio два пъти на ден ще Ви помогне да сте наясно с последствията от храната и начина Ви на живот. + Направете A1c кръвен тест, за да разберете вашето средно ниво на кръвна захар за последните 2 до 3 месеца. Вашият доктор трябва да Ви каже колко често трябва да правите този тест. + Следенето на количеството въглехидрати, което консумирате е също толкова важно, колкото проверяването на кръвта, тъй като те влияят на нивото на кръвна захар. Говорете с вашия доктор или диетолог относно приема въглехидрати. + Следенето на кръвното налягане, холестерола и нивата на триглицеридите е важно, тъй като диабетиците са податливи на сърдечни заболявания. + Има няколко диети, които могат да Ви помогнат да се храните по-здравословно и да намалите последствията от диабета. Потърсете съвет от диетолог, за това какво ще бъде най-добре за вас и вашия бюджет. + Правенето на редовни упражнения е особено важно за диабетиците и може да Ви помогне да поддържате здравословно тегло. Моля попитайте вашия лекар за упражнения, които биха били подходящи за вас. + Лишаването от сън може да Ви накара да ядете повече, особено вредна храна и може да има отрицателно влияние върху здравето. Бъдете сигурни, че получавате добър нощен сън и се консултирайте със специалист, ако изпитвате затруднения. + Стресът може да има отрицателно влияние върху диабета, моля свържете с вашия лекар, или друг професионалист и поговорете за справянето със стреса. + Посещавайки вашия доктор веднъж годишно и поддържайки постоянна връзка през годината е важно за диабетиците, за да предотвратят внезапното възникване на здравословни проблеми. + Взимайте лекарствата си според предписанията на вашия лекар, дори малки пропуски могат да повлияят на нивото на кръвната ви захар и може да причинят странични ефекти. Ако имате затруднения с запомнянето, попитайте вашия доктор за следене на лечението и начини за напомняне. + + + Здравето на по-възрастните диабетици е изложено на по-голям риск свързан с диабета. Моля свържете с вашия доктор и се информирайте, как възрастта влияе на диабета ви и за какво да внимавате. + Ограничете количеството сол, когато готвите и когато подправяте вече готовите ястия. + + Помощник + АКТУАЛИЗИРАЙ СЕГА + ДОБРЕ, РАЗБРАХ + ИЗПРАТИ ОТЗИВ + ДОБАВИ ПОКАЗАТЕЛ + Актуализиране на тегло + Актуализирайте теглото си, за да може Glucosio да разполага с най-точна информация. + Актуализиране на участието в проучването + Винаги може да изберете дали да участвате или да не участвате в споделянето на данни за проучването на диабета, но помнете, че всички споделени данни са изцяло анонимни. Ние споделяме само демографски данни и тенденции в нивото на кръвна захар. + Създай категории + В Glucosio са предложени готови категории за въвеждане на данни за кръвната захар, но можете да създадете собствени категории в настройките, за да отговарят на вашите уникални нужди. + Проверявайте често тук + Glucosio помощникът осигурява редовни съвети и ще продължи да се подобрява, така че винаги проверявай тук за полезни действия, които да подобрят вашата употреба на Glucosio и за други полезни съвети. + Изпрати отзив + Ако откриете някакви технически грешки или имате отзив за Glucosio ви насърчаваме да го изпратите в менюто \"Настройки\", за да ни помогнете да усъвършенстваме Glucosio. + Добави стойност + Не забравяйте редовно да добавяте показанията на кръвната ви захар, така ще можем да ви помогнем да проследите нивата с течение на времето. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Предпочитан диапазон + Потребителски диапазон + Минимална стойност + Максимална стойност + ИЗПРОБВАЙ СЕГА + diff --git a/app/src/main/res/values-bh-rIN/google-playstore-strings.xml b/app/src/main/res/values-bh-rIN/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-bh-rIN/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-bh-rIN/strings.xml b/app/src/main/res/values-bh-rIN/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-bh-rIN/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-bi-rVU/google-playstore-strings.xml b/app/src/main/res/values-bi-rVU/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-bi-rVU/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-bi-rVU/strings.xml b/app/src/main/res/values-bi-rVU/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-bi-rVU/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-bm-rML/google-playstore-strings.xml b/app/src/main/res/values-bm-rML/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-bm-rML/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-bm-rML/strings.xml b/app/src/main/res/values-bm-rML/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-bm-rML/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-bn-rBD/google-playstore-strings.xml b/app/src/main/res/values-bn-rBD/google-playstore-strings.xml new file mode 100644 index 00000000..f631424a --- /dev/null +++ b/app/src/main/res/values-bn-rBD/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + গ্লুকোসিও হল ডায়াবেটিসে আক্রান্ত ব্যাক্তিদের একটি ইউজার কেন্দ্রীক ফ্রি ও ওপেনসোর্স অ্যাপ। + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + অনুগ্রহ করে যেকোন বাগ, ইস্যু অথবা ফিচার অনুরোধের জন্য এখানে লিখুন: + https://github.com/glucosio/android + আরও বিস্তারিত: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-bn-rBD/strings.xml b/app/src/main/res/values-bn-rBD/strings.xml new file mode 100644 index 00000000..808b980b --- /dev/null +++ b/app/src/main/res/values-bn-rBD/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + সেটিংস + ফিডব্যাক প্রেরণ করুন + সংক্ষিপ্ত বিবরণ + ইতিহাস + ইঙ্গিত + হ্যালো। + হ্যালো। + ব্যবহারের শর্তাবলী। + আমি ব্যবহারের শর্তাবলী পড়েছি এবং তা মেনে নিচ্ছি + গ্লুকোসিও ওয়েবসাইট এবং অ্যাপের কন্টেন্ট, যেমন লেখা, গ্রাফিক্স, ছবি এবং অন্যান্য উপকরণ (\"কন্টেন্ট\") শুধুমাত্র তথ্যভিত্তিক ব্যবহারের জন্য। এই কন্টেন্ট কোন পেশাদার মেডিক্যাল পরামর্শ, ডায়গোনসিস বা চিকিৎসার বিকল্প নয়। আমরা গ্লুকোসিও ব্যবহারকারীদের সবসময় উৎসাহিত করি যেকোন স্বাস্থ্যগত সমস্যায় একজন চিকিৎসক অথবা অন্য কোন পরীক্ষিত স্বাস্থ্যসেবা প্রদানকারীর পরামর্শ নিতে। গ্লুকোসিও ওয়েবসাইট বা অ্যাপে পড়েছেন এমন কিছুর জন্য কখনও পেশাদার চিকিৎসকের পরামর্শকে উপেক্ষা বা পরামর্শ নিতে দেরি করা উচিত নয়। গ্লুকোসিও ওয়েবসাইট, ব্লগ, উইকি এবং ওয়েব ব্রাউজারে পাওয়া যায় (\"ওয়েবসাইট\") শুধুমাত্র উপরের বর্ণিত উদ্দেশ্যেই ব্যবহারযোগ্য।\n গ্লুকোসিও, গ্লুকোসিও টিম মেম্বার, স্বেচ্ছাসেবক এবং এর ওয়েবসাইট বা অ্যাপে দেওয়া কোন তথ্যের উপর কেবলমাত্র আপনার নিজ দায়িত্বে ভরসা রাখবেন। সাইট এবং কন্টেন্ট \"পূর্বের অভিজ্ঞতার\" ভিত্তিতে প্রদান করা হয়। + শুরু করার আগে আমাদের শুধু দ্রুত কিছু জিনিস প্রয়োজন। + দেশ + বয়স + একটি বৈধ বয়স লিখুন। + লিঙ্গ + পুরুষ + মহিলা + অন্যান্য + ডায়াবেটিসের ধরণ + ১ নং ধরণ + ২ নং ধরণ + পছন্দের ইউনিট + গবেষণার জন্য বেনামী তথ্য শেয়ার করুন। + আপনি এগুলি সেটিংসে গিয়ে পরেও বদলাতে পারেন। + পরবর্তী + শুরু করুন + এখন পর্যন্ত কোন তথ্য নেই। \n আপনার রিডিং এখানে যোগ করুন। + রক্তে গ্লুকোজের মাত্রা যোগ করুন + ঘনত্ব + তারিখ + সময় + পরিমাপ + সকালে খাওয়ার আগে + সকালে খাওয়ার পরে + দুপুরে খাওয়ার আগে + দুপুরে খাওয়ার পরে + রাতে খাওয়ার আগে + রাতে খাওয়ার পরে + সাধারণ + পুনঃপরীক্ষা + রাত + অন্যান্য + বাতিল + যোগ + অনুগ্রহ করে একটি বৈধ মান প্রবেশ করান। + অনুগ্রহ করে সকল ফিল্ড ভরাট করুন। + মুছে ফেলুন + সম্পাদন + একটি তথ্য মুছে ফেলা হল + বাতিল করুন + সর্বশেষ পরীক্ষা: + গত মাস ধরে প্রবনতা: + পরিসীমার মধ্যে ও সুস্থ + মাস + দিন + সপ্তাহ + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + সম্পর্কে + সংস্করণ + ব্যবহারের শর্তাবলী। + ধরন + ওজন + কাস্টম পরিমাপ বিভাগ + + কার্বহাইড্রেট এবং সুগারের মাত্রা কমাতে, বেশি করে তাজা, অপ্রক্রিয়াজাত খাবার খান। + সুগার এবং কার্বহাইড্রেটের মাত্রা নিয়ন্ত্রণে রাখতে খাবার এবং পানীয়ের প্যাকেজের পুষ্টি সম্পর্কিত লেবেল পড়ুন। + যখন বাইরে খাবেন, বাড়তি মাখন বা তেল ছাড়া সিদ্ধ করা মাছ বা মাংস চান। + যখন বাইরে খাবেন, জিজ্ঞেস করুন তাদের কম সোডিয়ামযুক্ত খাবার পদ রয়েছে কিনা। + যখন বাইরে খাবেন, বাড়িতে যে পরিমান খাবার খান ঠিক সেই পরিমান খাবার খান, বাকী খাবার যাওয়ার সময় নিয়ে নিন। + যখন বাইরে খাবেন তাদের তালিকায় কম ক্যালোরির পদ মেনুতে না থাকলেও, এমন খাবার চেয়ে নিন, যেমন সালাদ ইত্যাদি। + যখন বাইরে খাবেন, খাবার বদল করতে বলুন। ফেঞ্চ ফ্রাইয়ের বদলে শাঁকসব্জি যেমন সালাদ, গ্রিন বিনস অথবা ব্রোকলি দ্বিগুণ পরিমানে অর্ডার করুন। + যখন বাইরে খাবেন, ভাঁজা-পোড়া নয় এমন খাবার অর্ডার করুন। + যখন বাইরে খাবেন \"সাথে\" সস, ঝোলজাতীয় এবং সালাদের কথা বলুন। + চিনিবিহীন মানে একেবারে চিনিমুক্ত নয়। এর অর্থ হল প্রতি পরিবেশনে 0.5 গ্রাম (g) চিনি থাকবে, তাই সতর্ক থাকুন যেমন খুব বেশি চিনিবিহীন আইটেম রাখা না হয়। + ব্লাড সুগার নিয়ন্ত্রণে রাখতে শরীরের সঠিক ওজন সাহায্য করে। আপনার চিকিৎসক, পরামর্শক এবং ফিটনেস প্রশিক্ষক আপনাকে এ উদ্দেশ্যে কাজ করতে পরিকল্পনায় সাহায্য করতে পারে। + ব্লাড লেভেল পরীক্ষা করে এবং তা দিনে দুইবার গ্লুকোসিও এর মত কোন অ্যাপে ট্র্যাক করে আপনার খাবার এবং জীবনধারনের পদ্ধতির ফলাফল সম্পর্কে আপনি জানতে পারবেন। + গত ২ বা ৩ মাসে আপনার রক্তে গড় চিনির পরিমাণ জানতে A1c রক্ত পরীক্ষা নিন। আপনার চিকিৎসক আপনাকে বলে দিবে কত ঘন ঘন আপনাকে এই পরীক্ষাটি করাতে হবে। + যেহেতু কার্বহাইড্রেট রক্তে গ্লুকোজের পরিমাণ প্রভাবিত করে তাই আপনি কি পরিমাণ কার্বোহাইড্রেট গ্রহণ করছেন তা ট্র্যাক করা রক্তে গ্লুকোনের মাত্রা পরীক্ষা করার মতনই গুরুত্বপূর্ণ। + রক্তচাপ, কোলেস্টেরল এবং ট্রাইগ্লিসারাইড লেভেল নিয়ন্ত্রণ গুরুত্বপূর্ণ কারন ডায়বেটিস হৃদরোগ ঘটাতে সক্ষম। + আপনার ডায়বেটিসের ফলাফল উন্নয়নের জন্য বিভিন্ন ডায়েট পদ্ধতি রয়েছে। আপনি আপনার পরামর্শক বা ডাক্তারের পরামর্শ নিন কোনটা আপনার জন্য আপনার বাজেটে ভালো হবে। + নিয়মিত ব্যয়াম বিশেষভাবে গুরুত্বপূর্ণ যাদের ডায়াবেটিস রয়েছে এবং এটি আপনাকে সঠিক ওজনে রাখতেও সাহায্য করে। আপনার জন্য সঠিক ব্যয়াম সম্পর্কে জানতে ডাক্তারের সাথে আলাপ করুন। + নির্ঘুম-বিষন্নতা আপনাকে বেশি খাবার বিশেষ করে জাংক ফুড গ্রহণ করতে উদ্বুদ্ধ করে এবং এর খারাপ ফলাফল আপনার স্বাস্থ্যের ক্ষতি করতে পারে। নিশ্চিত হোন আপনি যেন ভালো ঘুমাতে পারেন এবং যদি ঘুমাতে সমস্যা হয় বিশেষজ্ঞের পরামর্শ নিন। + মানসিক চাপ আপনার ডায়াবেটিসকে আরও খারাপের দিকে নিতে পারে। মানসিক চাপের সাথে কিভাবে মানিয়ে নিবেন সে বিষয়ে আপনার পরামর্শক বা ডাক্ত্রের পরামর্শ নিন। + স্বাস্থ্য সংক্রান্ত হঠাৎ যেকোন সমস্যা এড়াতে বছরজুড়ে ডাক্তারের সাথে যোগাযোগ রাখা জরুরী, অন্তত বছরে একবার ডাক্তারের কাজে যাওয়া উচিত। + আপনার ডাক্তারের পরামর্শ অনুযায়ী ঔষধ সেবন করুন। ঔষধে খুব সামান্য ভুলও আপনার রক্তে গ্লুকোজের মাত্রায় প্রভাব ফেলতে পারে এবং পার্শ্বপ্রতিক্রিয়া দেখা দিতে পারে। যদি সমস্যা হয় তাহলে আপনার ডাক্তারকে আপনার ঔষধ ব্যবস্থাপনা ও মনে করিয়ে দেওয়ার ব্যাপারে জিজ্ঞাসা করুন। + + + বয়স্ক ডায়বেটিস রোগীরা, ডায়াবেটস সংক্রান্ত স্বাস্থ্য সমস্যার জন্য বেশি ঝুকিপূর্ণ। আপনার ডাক্তারকে আপনার বয়স সম্পর্কে জানান এবং বয়সের সাথে সাথে কি করতে হবে এবং কি কি নজরে রাখতে হবে তা আলোচনা করুন। + খাবার রান্না করা এবং খাবারের সময় লবণের পরিমাণ সীমিত করুন। + + সহকারী + এখনই আপডেট করো + ঠিক আছে, বুঝতে পেরেছি + ফিডব্যাক জমা করুন + রিডিং সংযুক্ত করুন + আপনার নতুন ওজন দিন + অবশ্যই আপনার ওজন নিয়মিত হালনাগাদ করুন যেন গ্লুকোসিও সঠিক তথ্য পেতে পারে। + আপনার গবেষণা হালনাগাদে যোগ দিন + আপনি যেকোন সময়ে ডায়াবেটিস গবেষণার জন্য তথ্য প্রদানে অংশ নিতে বা তা থেকে বিরত থাকতে পারে, তবে মনে রাখবেন সকল ডাটা যা শেয়ার করা হচ্ছে তা বেনামে। আমরা কেবল মাত্র ডেমোগ্রাফি এবং গ্লুকোজ লেভেল ট্রেন্ড শেয়ার করে থাকি। + বিভাগ তৈরি করুন + গ্লুকোসিওতে কিছু ডিফল্ট বিষয়শ্রেণী থাকে আপনার গ্লুকোজ ইনপুট দেওয়ার জন্য তবে আপনি নিজেও আপনার সাথে মিল রেখে সেটিং থেকে নিজস্ব বিষয়শ্রেণী তৈরি করতে পারেন। + এখানে প্রায়ই পরীক্ষা করুন + গ্লুকোসিও সহযোগী নিয়মিত পরামর্শ প্রদান করে এবং প্রতিনিয়ত নিজেকে আরও ভালো করছে, তাই আপনার গ্লুকোসিও অভিজ্ঞতাকে আরও ভালো করতে এবং অন্যান্য আরও উপকারী পরামর্শ পেতে নিয়মিত এখানে দেখুন এবং কি করতে হবে জানুন। + ফিডব্যাক জমা করুন + যেকোন কারিগরি সমস্যায় বা যদি গ্লুকোসিও সম্পর্কে কোন ফিডব্যাক থাকে তাহলে গ্লুকোসিওকে আরও ভালো করতে সেটিং মেনু থেকে তা সাবমিট করুন। + পড়ায় যুক্ত করুন + অবশ্যই নিয়মিত আপনার গ্লুকোজের মাত্রা যোগ করবেন যেন আমরা আপনাকে আপনার গ্লুকোজের মাত্রা সময়ে সময়ে ট্র্যাক করতে সহযোগীতা করতে পারি। + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + পছন্দের পরিসীমা + স্বনির্ধারিত পরিসীমা + সর্বনিম্ন মান + সর্বোচ্চ মান + এখনই ব্যবহার করে দেখুন + diff --git a/app/src/main/res/values-bn-rIN/google-playstore-strings.xml b/app/src/main/res/values-bn-rIN/google-playstore-strings.xml new file mode 100644 index 00000000..f631424a --- /dev/null +++ b/app/src/main/res/values-bn-rIN/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + গ্লুকোসিও হল ডায়াবেটিসে আক্রান্ত ব্যাক্তিদের একটি ইউজার কেন্দ্রীক ফ্রি ও ওপেনসোর্স অ্যাপ। + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + অনুগ্রহ করে যেকোন বাগ, ইস্যু অথবা ফিচার অনুরোধের জন্য এখানে লিখুন: + https://github.com/glucosio/android + আরও বিস্তারিত: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-bn-rIN/strings.xml b/app/src/main/res/values-bn-rIN/strings.xml new file mode 100644 index 00000000..2cd31978 --- /dev/null +++ b/app/src/main/res/values-bn-rIN/strings.xml @@ -0,0 +1,139 @@ + + + + Glucosio + সেটিংস + মতামত পাঠান + সংক্ষিপ্ত বিবরণ + ইতিহাস + পরামর্শ + হ্যালো। + হ্যালো। + ব্যবহারের শর্তাবলী + আমি পাঠ করে এবং ব্যবহারের শর্তাবলী স্বীকার করি + গ্লুকোসিও ওয়েবসাইট এবং অ্যাপের কন্টেন্ট, যেমন লেখা, গ্রাফিক্স, ছবি এবং অন্যান্য উপকরণ (\"কন্টেন্ট\") শুধুমাত্র তথ্যভিত্তিক ব্যবহারের জন্য। এই কন্টেন্ট কোন পেশাদার মেডিক্যাল পরামর্শ, ডায়গোনসিস বা চিকিৎসার বিকল্প নয়। আমরা গ্লুকোসিও ব্যবহারকারীদের সবসময় উৎসাহিত করি যেকোন স্বাস্থ্যগত সমস্যায় একজন চিকিৎসক অথবা অন্য কোন পরীক্ষিত স্বাস্থ্যসেবা প্রদানকারীর পরামর্শ নিতে। গ্লুকোসিও ওয়েবসাইট বা অ্যাপে পড়েছেন এমন কিছুর জন্য কখনও পেশাদার চিকিৎসকের পরামর্শকে উপেক্ষা বা পরামর্শ নিতে দেরি করা উচিত নয়। গ্লুকোসিও ওয়েবসাইট, ব্লগ, উইকি এবং ওয়েব ব্রাউজারে পাওয়া যায় (\"ওয়েবসাইট\") শুধুমাত্র উপরের বর্ণিত উদ্দেশ্যেই ব্যবহারযোগ্য।\n গ্লুকোসিও, গ্লুকোসিও টিম মেম্বার, স্বেচ্ছাসেবক এবং এর ওয়েবসাইট বা অ্যাপে দেওয়া কোন তথ্যের উপর কেবলমাত্র আপনার নিজ দায়িত্বে ভরসা রাখবেন। সাইট এবং কন্টেন্ট \"পূর্বের অভিজ্ঞতার\" ভিত্তিতে প্রদান করা হয়। + আপনার শুরু করার আগে আমদের দ্রুত কিছু জিনিসের প্রয়োজন। + দেশ + বয়স + অনুগ্রহ করে সঠিক বয়স দিন। + লিঙ্গ + পুরুষ + নারী + অন্যান্য + ডায়াবেটিসের ধরন + ধরন 1 + ধরন 2 + পছন্দের ইউনিট + গবেষণা করার জন্য বেনামী তথ্য শেয়ার করুন। + আপনি পরে সেটিংসে এই পরিবর্তন করতে পারেন। + পরবর্তী + এবার শুরু করা যাক + এখন পর্যন্ত কোন তথ্য নেই। \n আপনার রিডিং এখানে যোগ করুন। + রক্তের গ্লুকোজ মাত্রা যোগ করুন + একাগ্রতা + তারিখ + সময় + মাপা হয়েছে + জলখাবারের আগে + জলখাবারের পর + দুপুরের খাবারের আগে + দুপুরের খাবারের পরে + রাতের খাবারের আগে + রাতের খাবারের পরে + সাধারণ + আবার পরীক্ষা করুন + রাত + অন্যান্য + বাতিল করুন + যোগ করুন + অনুগ্রহ করে একটি বৈধ মান দিন। + সব ক্ষেত্র পূরণ করুন। + মুছে দিন + সম্পাদনা করুন + 1 পাঠের মুছে ফেলা হয়েছে + পূর্বাবস্থায় যান + সর্বশেষ পরীক্ষা: + গত মাস ধরে প্রবণতা দেখা দিয়েছে: + পরিসীমা এবং সুস্থর মধ্যে + মাস + দিন + সপ্তাহ + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + সম্পর্কে + সংস্করণ + ব্যবহারের শর্তাবলী + প্রকার + ওজন + কাস্টম পরিমাপ বিভাগ + + আরো তাজা খান, অপ্রক্রিয়াজাত খাবার কার্বোহাইড্রেট এবং চিনি খাওয়া কমাতে সাহায্য করে। + প্যাক করা খাবার এবং পানীয়ের পুষ্টির মাত্রা পড়ুন চিনি এবং কার্বোহাইড্রেট খাওয়া নিয়ন্ত্রণ করতে। + যখন খাওয় দাওয়া করছেন, কোন অতিরিক্ত মাখন বা তেল দিয়ে ভাজা নয় মাছ বা মাংসের জন্য জিজ্ঞাসা করুন। + যখন খাওয় দাওয়া করছেন, তাদের কম সোডিয়াম জাত খাবার আছে কিনা জিজ্ঞাসা করুন। + যখন খাওয় দাওয়া করছেন, আপনি বাড়ীতে যে মাপে খান ঠিক সেই মাপে খান ও উচ্ছিষ্ট রেখে দিন। + + যখন খাওয় দাওয়া করছেন তখন কম ক্যালোরির জিনিসের জন্য অনুরোধ করবেন, যেমন স্যালাড, এমনকি তারা মেনুতে না থেকলেও। + যখন খাওয় দাওয়া করছেন বদল জন্য অনুরোধ করবেন। ফরাসি ফ্রাই -এর বদলে যালাড, সবুজ মটরশুটি বা ফুলকপির মত সবজির দ্বিগুণ অর্ডার অনুরোধ। + যখন খাওয় দাওয়া করছেন, সেই খাবারের অর্ডার করুন যা ভাজা বা পুরসহ ভাজা নয়। + যখন খাওয় দাওয়া করছেন, চাটনি, ঝোল এবং স্যালাড \"পাশে রাখুন\"। + চিনি নেই মানে সত্যিই চিনি নেই তা নয়। এটি হল 0.5 গ্রাম (g) শর্করা। তাই চিনি নেই এমন জিনিস ইচ্ছাপূরণের জন্য কম নেওয়ার সতর্কতা অবলম্বন করা আবশ্যক। + একটি স্বাস্থ্যকর ওজ রক্তের চিনির শর্করার পরিমান নিয়ন্ত্রণ করে। আপনার ডাক্তার, একটি পথ্যব্যবস্থাবিদ্যাবিদ, এবং একটি ফিটনেস প্রশিক্ষক আপনার জন্য কাজ করবে এমন একটি পরিকল্পনা শুরু করতে পারেন। + আপনার রক্তের মাত্রা Glucosio -র মত একটি অ্যাপ্লিকেশনে দিনে দুইবার পরীক্ষা করালে, যার ফলাফল আপনাকে সচেতন করতে সাহায্য করবে খাদ্য এবং জীবনধারা পছন্দ নিয়ে। + গত 2 বা 3 মাসের জন্য আপনার রক্তের গড় শর্করা খুঁজে বের করতে A1c রক্ত পরীক্ষা করুন। আপনার ডাক্তার আপনাকে জানাবে কত ঘন ঘন এই পরীক্ষা সঞ্চালিত করা প্রয়োজন। + কতগুলি শর্করা আপনি গ্রাস করতে পারেন তার অনুসরণ করা গুরুত্বপূর্ণ হতে পারে রক্তের মাত্রা চেক করার সময় কারন কার্বোহাইড্রেটের রক্তে গ্লুকোজের মাত্রাকে প্রভাবিত করে। আপনার ডাক্তার বা একটি পথ্যব্যবস্থাবিদ্যাবিদের কার্বোহাইড্রেট ভোজনের সম্পর্কে কথা বলুন। + + + রক্তচাপ, কলেস্টেরল, এবং ট্রাইগ্লিসারাইডের মাত্রা নিয়ন্ত্রণ গুরুত্বপূর্ণ, ডায়াবেটিকসের থেকে হৃদরোগ হওয়ার আশঙ্কা থাকে। + আপনার স্বাস্থ্যসম্মত ভাবে খাওয়ার জন্য ভিন্ন খাদ্যের পন্থা আছে ও আপনার ডায়াবেটিসের ফলাফলকে উন্নত করতে সাহায্য করে।আপনার এবং আপনার সাধ্যের মধ্যে ভাল হবে, তা নিয়ে একটি পথ্যব্যবস্থাবিদ্যাবিদের থেকে পরামর্শ নিন। + ডায়াবেটিসের জন্য বিশেষভাবে গুরুত্বপূর্ণ ব্যায়াম নিয়মিত করুন যা আপনাকে একটি স্বাস্থ্যকর ওজন বজায় রাখতে সাহায্য করতে পারে। আপনার জন্য উপযুক্ত ব্যায়াম সম্পর্কে জানতে আপনার ডাক্তারের সঙ্গে কথা বলুন। + ঘুম থেকে বঞ্চিত হলে, যা আপনাকে জাঙ্ক খাবারের মত আরো বিশেষ কিছু খাওয়াতে বাধ্য করে ও ফলে নেতিবাচকভাবে আপনার স্বাস্থ্য প্রভাবিত হতে পারে। রাত্রে ভালো ভাবে ঘুমান ও আপনি অসুবিধাতে ভুগলে একজন ঘুম বিশেষজ্ঞের সাথে পরামর্শ করেন। + চাপ ডায়াবেটিসের উপর নেতিবাচক প্রভাব ফেলতে পারে, আপনার ডাক্তারের সঙ্গে বা অন্যান্য পেশাদার স্বাস্থ্যসেবায় কথা বলুন চাপের সঙ্গে মোকাবেলা সম্পর্কে। + বছরে একবার আপনার ডাক্তারের কাছে যান ও সারা বছর নিয়মিত যোগাযোগ রাখা ডায়াবেটিকসের সাথে যুক্ত স্বাস্থ্য সমস্যার কোনো আকস্মিক সূত্রপাতকে প্রতিরোধ করার জন্য গুরুত্বপূর্ণ। + আপনার ডাক্তার দ্বারা নির্ধারিত হিসাবে আপনার ঔষধ নিন এমনকি আপনার ঔষধে ছোট ত্রুটি বিচ্যুতি আপনার রক্তে শর্করার মাত্রা প্রভাবিত করতে পারে। অসুবিধা মনে হলে আপনার ডাক্তারকে মনে করে জিজ্ঞাসা করবেন ঔষধ ব্যবস্থাপনা এবং অনুস্মারক বিকল্প সম্পর্কে। + + + পুরাতন ডায়াবেটিকস, ডায়াবেটিসের সঙ্গে যুক্ত স্বাস্থ্য সমস্যার জন্য উচ্চতর ঝুঁকি হতে পারে। সে বিষয়ে আপনার ডাক্তারের সঙ্গে কথা বলুন আপনার ডায়াবেটিসে কিভবে আপনার বয়স একটি ভূমিকা পালন করে এবং কি দেখতে হতে পারে। + আপনি খাবার রান্না করা সময় ও রান্না করা খাবারে লবণের ব্যবহার কম করুন। + + সহকারী + এখন আপডেট করুন + ঠিক আছে, বুঝেছি + ফিডব্যাক জমা করুন + পড়া যোগ করুন + আপনার ওজন আপডেট করুন + অবশ্যই আপনার ওজন নিয়মিত হালনাগাদ করুন যেন গ্লুকোসিও সঠিক তথ্য পেতে পারে। + আপনার গবেষণা হালনাগাদে যোগ দিন + আপনি যেকোন সময়ে ডায়াবেটিস গবেষণার জন্য তথ্য প্রদানে অংশ নিতে বা তা থেকে বিরত থাকতে পারে, তবে মনে রাখবেন সকল ডাটা যা শেয়ার করা হচ্ছে তা বেনামে। আমরা কেবল মাত্র ডেমোগ্রাফি এবং গ্লুকোজ লেভেল ট্রেন্ড শেয়ার করে থাকি। + বিভাগ তৈরি করুন + গ্লুকোসিওতে কিছু ডিফল্ট বিষয়শ্রেণী থাকে আপনার গ্লুকোজ ইনপুট দেওয়ার জন্য তবে আপনি নিজেও আপনার সাথে মিল রেখে সেটিং থেকে নিজস্ব বিষয়শ্রেণী তৈরি করতে পারেন। + এখানে প্রায়ই পরীক্ষা করুন + গ্লুকোসিও সহযোগী নিয়মিত পরামর্শ প্রদান করে এবং প্রতিনিয়ত নিজেকে আরও ভালো করছে, তাই আপনার গ্লুকোসিও অভিজ্ঞতাকে আরও ভালো করতে এবং অন্যান্য আরও উপকারী পরামর্শ পেতে নিয়মিত এখানে দেখুন এবং কি করতে হবে জানুন। + ফিডব্যাক জমা করুন + যেকোন কারিগরি সমস্যায় বা যদি গ্লুকোসিও সম্পর্কে কোন ফিডব্যাক থাকে তাহলে গ্লুকোসিওকে আরও ভালো করতে সেটিং মেনু থেকে তা সাবমিট করুন। + পড়া যোগ করুন + অবশ্যই নিয়মিত আপনার গ্লুকোজের মাত্রা যোগ করবেন যেন আমরা আপনাকে আপনার গ্লুকোজের মাত্রা সময়ে সময়ে ট্র্যাক করতে সহযোগীতা করতে পারি। + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + পছন্দের পরিসীমা + স্বনির্ধারিত পরিসীমা + সর্বনিম্ন মান + সর্বোচ্চ মান + এখনই ব্যবহার করে দেখুন + diff --git a/app/src/main/res/values-bo-rBT/google-playstore-strings.xml b/app/src/main/res/values-bo-rBT/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-bo-rBT/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-bo-rBT/strings.xml b/app/src/main/res/values-bo-rBT/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-bo-rBT/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-br-rFR/google-playstore-strings.xml b/app/src/main/res/values-br-rFR/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-br-rFR/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-br-rFR/strings.xml b/app/src/main/res/values-br-rFR/strings.xml new file mode 100644 index 00000000..9cd2421a --- /dev/null +++ b/app/src/main/res/values-br-rFR/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Arventennoù + Send feedback + Alberz + Istorel + Tunioù + Demat. + Demat. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + Ezhomm hon eus traoù bennak a-raok kregiñ. + Country + Oad + Bizskrivit un oad talvoudek mar plij. + Rev + Gwaz + Maouez + All + Diabetoù seurt + Seurt 1 + Seurt 2 + Unanenn muiañ plijet + Rannañ roadennoù dizanv evit an enklask. + Gallout a rit kemmañ an dra-se diwezhatoc\'h. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Ouzhpenn ul Live Gwad Glukoz + Dizourañ + Deiziad + Eur + Muzulet + A-raok dijuniñ + Goude dijuniñ + A-raok merenn + Goude merenn + A-raok pred + Goude pred + General + Recheck + Night + Other + NULLAÑ + OUZHPENN + Please enter a valid value. + Leunit ar maezioù mar plij. + Dilemel + Embann + 1 lenn dilezet + DIZOBER + Gwiriadur diwezhañ: + Feur tremenet ar miz paseet: + en reizh an yec\'hed + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-bs-rBA/google-playstore-strings.xml b/app/src/main/res/values-bs-rBA/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-bs-rBA/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-bs-rBA/strings.xml b/app/src/main/res/values-bs-rBA/strings.xml new file mode 100644 index 00000000..55c1f2ed --- /dev/null +++ b/app/src/main/res/values-bs-rBA/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Postavke + Pošaljite povratnu informaciju + Pregled + Historija + Savjeti + Zdravo. + Zdravo. + Uvjeti korištenja. + Pročitao/la sam i prihvatam uvjete korištenja + Sadržaj Glucosio web stranice i aplikacije, kao što su tekst, grafika, slike i drugi materijali (\"sadržaj\") služe za informisanje. Sadržaj nije namijenjen kao zamjena za profesionalni medicinski savjet, dijagnozu ili liječenje. Preporučujemo Glucosio korisnicima da uvijek traže savjet od svog liječnika ili drugih kvalifikovanih zdravstvenih radnika kada je riječ o njihovom zdravlju. Nikada nemojte zanemariti profesionalni medicinski savjet ili oklijevati u traženju savjeta zbog nečega što ste pročitali na Glucosio web stranici ili našim aplikacijama. Glucosio web stranica, blog, wiki i ostali na webu dostupan sadržaj (\"web stranice\") treba koristiti samo za svrhe za koje je navedeno. \n Oslanjanje na bilo koje informacije koje dostavlja Glucosio, članovi Glucosio tima, volonteri ili druga lica koja se pojavljuju na web stranici ili u našim aplikacijama je isključivo na vlastitu odgovornost. Stranice i sadržaj su omogućeni na osnovi \"Kakav jest\". + Potrebno nam je par brzih stvari prije nego što započnete. + Država + Dob + Molimo unesite valjanu dob. + Spol + Muški + Ženski + Drugo + Tip dijabetesa + Tip 1 + Tip 2 + Preferirana jedinica + Podijeli anonimne podatke zarad istraživanja. + Ove postavke možete promijeniti kasnije. + DALJE + ZAPOČNITE + Nema informacija.\nDodajte svoje prvo očitavanje ovdje. + Dodajte nivo glukoze u krvi + Koncentracija + Datum + Vrijeme + Izmjereno + Prije doručka + Nakon doručka + Prije ručka + Nakon ručka + Prije večere + Nakon večere + Opće + Ponovo provjeri + Noć + Ostalo + OTKAŽI + DODAJ + Molimo da unesete valjanu vrijednost. + Molimo da popunite sva polja. + Obriši + Uredi + 1 čitanje obrisano + PONIŠTI + Zadnja provjera: + Trend u proteklih mjesec dana: + u granicama i zdrav + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + O programu + Verzija + Uvjeti korištenja + Tip + Weight + Zasebna kategorija mjerenja + + Jedite više svježe neprocesirane hrane da biste smanjili unos ugljikohidrata i šećera. + Pročitajte nutritivnu tablicu na ambalaži hrane i pića da biste kontrolisali unos ugljikohidrata i šećera. + Kada jedete vani, tražite ribu ili meso kuhano bez dodatnog putera ili ulja. + Kada jedete vani, tražite jela sa niskim nivoom natrija. + Kada jedete vani, jedite istu porciju kao što biste i kod kuće, ostatke hrane ponesite. + Kada jedete vani tražite niskokaloričnu hranu, poput dresinga za salatu, čak i ako nisu na jelovniku. + Kada jedete vani tražite zamjenu. Umjesto pomfrita tražite duplu porciju povrća poput salate, mahuna ili brokula. + Kada jedete vani, tražite hranu koja nije pohovana ili pržena. + Kada jedete vani tražite soseve, umake i dresinge za salatu \"sa strane.\" + Bez šećera ne znači doslovno bez šećera. To znaći 0,5 grama (g) šećera po porciji, pa se nemojte previše upuštati u hranu bez šećera. + Kretanje ka zdravoj težini pomaže kontrolisanje šećera u krvi. Vaš doktor, dijetetičar ili fitness trener mogu vam pomoći da započnete sa zdravom ishranom. + Provjeravanje vašeg nivoa krvi i praćenje u aplikaciji poput Glucosia dvaput dnevno će vam pomoći da budete svjesni ishoda vaših izbora hrane i načina života. + Uradite A1c nalaz krvi da saznate prosjek vašeg šećera u krvi u zadnja 2 do 3 mjeseca. Vaš doktor bi vam trebao reći koliko često će ovaj test biti potrebno raditi. + Praćenje koliko ugljikohidrata konzumirate može biti podjednako važno kao provjeravanje nivoa u krvi jer ugljikohidrati utiču na nivo glukoze u krvi. Porazgovarajte s vašim doktorom ili dijetetičarom o unosu ugljikohidrata. + Kontrolisanje krvnog pritiska, holesterola i triglicerida je važno jer su dijebetičari podložni oboljenjima srca. + Postoji nekoliko pristupa prehrani da biste jeli zdravije te poboljšali vaše stanje dijabetesa. Tražite savjet dijetetičara šta bi bilo najdjelotvornije za vas i vaš budžet. + Redovna tjelovježba je posebno važna za ljude s dijabetesom jer vam pomaže da održite tjelesnu težinu. Porazgovarajte s vašim doktorom o vježbama koje su prikladne za vas. + Nedostatak sna vas može navesti da jedete više, pogotovo nezdrave hrane i tako negativno uticati na vaše zdravlje. Pobrinite se da se dobro naspavate i konsultujte se sa specijalistom za san ukoliko imate poteškoća. + Stres može imati negativan uticaj na dijabetes te stoga porazgovarajte s vašim doktorom ili drugim stručnim licem o suočavanju sa stresom. + Posjećivanje vašeg doktora jedanput godišnje i redovna komunikacija tokom godine je veoma važna za dijabetičare da bi spriječili iznenadnu pojavu povezanih zdravstvenih problema. + Vaše lijekove uzimajte kako su vam je doktor propisao, a čak i najmanji propust može uticati na nivo glukoze u vašoj krvi i uzrokovati druge nuspojave. Ukoliko imate problema da se sjetite uzeti lijek, obavezno o tome porazgovarajte sa doktorom. + + + Stariji dijabetičari mogu imati veći rizik za druge zdravstvene probleme povezane s dijabetesom. Porazgovarajte s vašim doktorom o tome kako vaša dob utiče na vaš dijabetes. + Ograničite količinu soli koju koristite za pripremanje hrane i koju dodajete u jela nakon što su skuhana. + + Asistent + AŽURIRAJ + OK, HVALA + POŠALJI POVRATNU INFORMACIJU + DODAJ OČITAVANJE + Ažurirajte vašu težinu + Pobrinite se da ažurirate vašu težinu kako bi Glucosio imao najtačnije informacije. + Ažurirajte vaše opt-in istraživanje + Uvijek možete opt-in ili opt-out dijeljenje istraživanja dijabetesa, ali zapamtite da su svi podijeljeni podaci anonimni. Dijelimo samo demografske i trendove nivoa glukoze. + Kreiraj kategorije + Glucosio dolazi sa izvornim kategorijama za unos glukoze ali vi u postavkama možete kreirati zasebne kategorije koje odgovaraju vašim potrebama. + Često provjerite ovdje + Glucosio asistent pruža redovne savjete i nastavit će se unapređivati, stoga često provjerite ovdje za korisne akcije koje možete poduzeti da poboljšanje svog Glucosio doživljaja te druge korisne savjete. + Pošalji povratne informacije + Ukoliko naiđete na tehničke probleme ili imate druge povratne informacije o Glucosiu, molimo vas da ih pošaljete putem menija za postavke kako bismo unaprijedili Glucosio. + Dodaj očitavanje + Pobrinite se da redovno dodajete svoja očitavanja glukoze kako bismo vam pomogli da pratite vaše nivoe glukoze tokom vremena. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-ca-rES/google-playstore-strings.xml b/app/src/main/res/values-ca-rES/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-ca-rES/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-ca-rES/strings.xml b/app/src/main/res/values-ca-rES/strings.xml new file mode 100644 index 00000000..c35923d9 --- /dev/null +++ b/app/src/main/res/values-ca-rES/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Configuració + Envieu comentaris + Informació general + Historial + Consells + Hola. + Hola. + Condicions d\'ús. + He llegit i accepto les condicions d\'ús + Els continguts de l\'aplicació i pàgina web de Glucosio, tal com el text, gràfics, imatges, i altre material (\"Contingut\") són només amb finalitats informatives. El contingut no pretén ser un substitutiu pels consells, diagnòstics o tractaments mèdics professionals. Animem als usuaris de Glucosio a seguir sempre les recomanacions del seu metge o altre assistent sanitari amb qualsevol consulta que puguin tenir relacionada amb la seva condició mèdica. Mai s\'han de desatendre o retardar les recomanacions mèdiques per haver llegit alguna cosa a la pàgina web de Glucosio a a les nostres aplicacions. El lloc web, blog i wiki de Glucosio i altre contingut accessible des del navegador (\"Lloc web\") s\'hauria d\'utilitzar únicament amb la finalitat descrita anteriorment.\n La confiança dipositada en qualsevol informació proporcionada per Glucosio, els membres de l\'equip de Glucosio, voluntaris i altres que apareixen al lloc web o a les nostres aplicacions queda baix el seu propi risc. El lloc i el contingut es proporcionen sobre una base \"tal qual\". + Només necessitem unes quantes coses abans de començar. + País + Edat + Si us plau, introdueix una data vàlida. + Gènere + Home + Dona + Altre + Tipus de diabetis + Tipus 1 + Tipus 2 + Unitat preferida + Compartiu dades anònimes per a la recerca. + Podeu canviar-ho més tard a les preferències. + SEGÜENT + COMENÇA + Encara no hi ha informació disponible.\n Afegiu aquí la vostra primera lectura. + Afegeix nivell de glucosa a la sang + Concentració + Data + Hora + Mesurat + Abans de l\'esmorzar + Després de l\'esmorzar + Abans del dinar + Després del dinar + Abans del sopar + Després del sopar + General + Torna a comprovar + Nocturn + Altre + CANCEL·LA + AFEGEIX + Si us plau, introduïu un valor vàlid. + Si us plau, empleneu tots els camps. + Suprimeix + Edita + S\'ha suprimit 1 lectura + DESFÉS + Darrera verificació: + Tendència del més passat: + dins el rang i saludable + Mes + Dia + Setmana + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + En quant a + Versió + Condicions d\'ús + Tipus + Pes + Categoria de mesura personalitzada + + Mengeu més aliments frescos i sense processar per ajudar a reduir la ingesta de carbohidrats i sucre. + Llegiu l\'etiqueta nutricional a les begudes i aliments envasats per a controlar la ingesta de sucre i carbohidrats. + En sortir a menjar, demaneu per carn o peix cuinada sense oli o mantega extra. + En sortir a menjar, demaneu si tenen plats baixos en sodi. + En sortir a menjar, mengeu porcions semblants a les que prendríeu a casa i demaneu les sobres per emportar. + En sortir a menjar, demaneu per elements baixos en calories com el guarniment per a amanides, fins i tot si no estan al menú. + En sortir a menjar, demaneu per substitucions. Enlloc de patates fregides, demaneu una comanda adicional de vegetals com amanida, mongetes verdes o bròquil. + En sortir a menjar, comaneu aliments que no siguin arrebossats o fregits. + En sortir a menjar, demaneu que us serveixin per separat les salses i guarnicions. + Sense sucre no significa realment sense sucre. Significa 0,5 grams (g) de sucre per ració, així que aneu amb compte de no comptar massa amb els elements sense sucre. + Avançar cap a un pes saludable ajuda a controlar els nivell de sucre. El vostre doctor, nutricionista o entrenador pot ajudar-vos en un pla que funcioni per a vosaltres. + Comprovar el vostre nivell de sang i fer-ne el seguiment amb una aplicació com Glucosio dues vegades diàries us ajudarà a tenir en compte els resultats de les eleccions de menjar i de l\'estil de vida. + Aconseguiu anàlisi de sang del tipus A1c per esbrinar la vostra mitja de sucre a la sang pels darrers 2 a 3 mesos. El vostre doctor us hauria d\'informar sobre la freqüència en que aquests anàlisi s\'han de realitzar. + Fer el seguiment de la quantitat de carbohidrats que consumiu pot ser tan important com comprovar els nivells de sang, ja que els carbohidrats influeixen sobre els nivells de glucosa. Xerreu amb els vostre doctor o nutricionista sobre la ingesta de carbohidrats. + És important controlar la pressió de la sang, el colesterol i el nivell de triglicèrids ja que els diabètics tenen tendència a malalties cardíaques. + Podeu avaluar diferents enfocaments cap a la vostra dieta per menjar més sa i ajudar a millorar els resultats de la diabetis. Demaneu consell al vostre nutricionista sobre el que pot anar millor per a vosaltres i el vostre pressupost. + Treballar en fer exercici regularment és especialment important amb la gent amb diabetis i pot ajudar a mantenir un pes saludable. Xerreu amb el vostre doctor sobre les exercicis que són apropiats per a vosaltres. + La falta de son us pot fer menjar més, especialment menjar escombraria i el resultat pot impactar negativament a la vostra salut. Assegurau-vos de dormir bé i consulteu un especialista de la son si teniu dificultats. + L\'estrès pot impactar negativament en la diabetis, xerreu amb el vostre doctor o especialista sobre fer front a l\'estrès. + Visitar el vostre doctor anualment i tenir una comunicació habitual durant l\'any és important per prevenir cap canvi sobtat en la salut dels diabètics. + Preneu els vostres medicaments seguint la prescripció del vostre doctor, fins i tot petits lapses poden afectar al vostre nivell de glucosa a la sang i causar altres efectes secundaris. Si teniu dificultats de memòria demaneu al vostre doctor per gestió de medicació i opcions de recordatoris. + + + Els diabètics grans poden tenir un risc major de problemes de salut associats amb la diabetis. Consulteu amb el vostre doctor sobre l\'efecte de l\'edat en la vostra diabetis i quines coses s\'han de tenir en compte. + Limiteu la quantitat de sal que utilitzeu per cuinar i la que afegiu a aliments ja cuinats. + + Assistent + ACTUALITZA ARA + D\'ACORD, HO ENTENC + ENVIA COMENTARIS + AFEGEIX LECTURA + Actualitzeu el vostre pes + Assegureu-vos d\'actualitzar el vostre pes per tal que Glucosio disposi de l\'informació més precisa. + Opció d\'actualització de la recerca + Sempre podeu triar entre optar o no per la compartició de la recerca de la diabetis, però recordeu que totes les dades es comparteixen de manera completament anònima. Només es comparteix la demografia i les tendències de nivell de glucosa. + Crea categories + El Glucosio ve amb categories predeterminades per entrada de glucosa però podeu crear categories personalitzades dins la configuració per ajustar-ho a les vostres necessitats particulars. + Comprova sovint aquí + L\'assistent de Glucosio proporciona consells regulars i continuarà millorant, així que comproveu sempre aquí els passos que podeu prendre per millorar l\'experiència de Glucosio i altres consells útils. + Envia comentari + Si trobeu incidències tècniques o teniu comentaris sobre Glucosio us animem a enviar-ho des del menú de configuració per tal d\'ajudar-nos a millorar Glucosio. + Afegeix una lectura + Assegureu-vos d\'afegir regularment les vostres lectures de glucosa per tal que puguem ajudar-vos a fer un seguiment dels vostres nivells de glucosa al llarg del temps. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Rang preferit + Rang personalitzat + Valor mínim + Valor màxim + PROVEU-HO ARA + diff --git a/app/src/main/res/values-ce-rCE/google-playstore-strings.xml b/app/src/main/res/values-ce-rCE/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-ce-rCE/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-ce-rCE/strings.xml b/app/src/main/res/values-ce-rCE/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-ce-rCE/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-ceb-rPH/google-playstore-strings.xml b/app/src/main/res/values-ceb-rPH/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-ceb-rPH/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-ceb-rPH/strings.xml b/app/src/main/res/values-ceb-rPH/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-ceb-rPH/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-ch-rGU/google-playstore-strings.xml b/app/src/main/res/values-ch-rGU/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-ch-rGU/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-ch-rGU/strings.xml b/app/src/main/res/values-ch-rGU/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-ch-rGU/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-chr-rUS/google-playstore-strings.xml b/app/src/main/res/values-chr-rUS/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-chr-rUS/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-chr-rUS/strings.xml b/app/src/main/res/values-chr-rUS/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-chr-rUS/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-ckb-rIR/google-playstore-strings.xml b/app/src/main/res/values-ckb-rIR/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-ckb-rIR/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-ckb-rIR/strings.xml b/app/src/main/res/values-ckb-rIR/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-ckb-rIR/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-co-rFR/google-playstore-strings.xml b/app/src/main/res/values-co-rFR/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-co-rFR/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-co-rFR/strings.xml b/app/src/main/res/values-co-rFR/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-co-rFR/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-cr-rNT/google-playstore-strings.xml b/app/src/main/res/values-cr-rNT/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-cr-rNT/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-cr-rNT/strings.xml b/app/src/main/res/values-cr-rNT/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-cr-rNT/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-crs-rSC/google-playstore-strings.xml b/app/src/main/res/values-crs-rSC/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-crs-rSC/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-crs-rSC/strings.xml b/app/src/main/res/values-crs-rSC/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-crs-rSC/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-cs-rCZ/google-playstore-strings.xml b/app/src/main/res/values-cs-rCZ/google-playstore-strings.xml new file mode 100644 index 00000000..46c1539a --- /dev/null +++ b/app/src/main/res/values-cs-rCZ/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Jakékoliv chyby, problémy nebo požadavky nám oznamujte na: + https://github.com/glucosio/android + Další informace: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-cs-rCZ/strings.xml b/app/src/main/res/values-cs-rCZ/strings.xml new file mode 100644 index 00000000..e1095a5e --- /dev/null +++ b/app/src/main/res/values-cs-rCZ/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Možnosti + Odeslat zpětnou vazbu + Přehled + Historie + Tipy + Ahoj. + Ahoj. + Podmínky užívání. + Přečetl jsem si a souhlasím s výše uvedenými Podmínkami užívání + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + Ještě než začneme, chtěli bychom vědět pár věcí. + Země + Věk + Zadejte, prosím, platný věk. + Pohlaví + Muž + Žena + Jiné + Typ cukrovky + Typ 1 + Typ 2 + Preferovaná jednotka + Sdílet anonymní data pro výzkum. + Tato nastavení můžete později změnit v kartě nastavení. + DALŠÍ + ZAČÍNÁME + Zatím nejsou k dispozici žádné informace. \n Přidejte zde váš první záznam. + Přidat hladinu glukózy v krvi + Koncentrace + Datum + Čas + Naměřeno + Před snídaní + Po snídani + Před obědem + Po obědě + Před večeří + Po večeři + Obecné + Znovu zkontrolovat + Noc + Ostatní + ZRUŠIT + PŘIDAT + Prosím, zadejte platnou hodnotu. + Vyplňte, prosím, všechna pole. + Odstranit + Upravit + odstraněn 1 záznam + ZPĚT + Poslední kontrola: + Trend za poslední měsíc: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + O programu + Verze + Podmínky užívání + Typ + Váha + Vlastní kategorie měření + + Jezte více čerstvých, nezpracovaných potravin, pomůžete tak snížit příjem sacharidů a cukrů. + Přečtěte nutriční hodnoty na balených potravinách a nápojích pro kontrolu příjmu sacharidů a cukrů. + Při stravování mimo domov žádejte o ryby nebo maso pečené bez přidaného másla nebo oleje. + Při stravování mimo domov se zeptejte, zda podávají jídla s nízkým obsahem sodíku. + Při stravování mimo domov jezte stejně velké porce, jako byste jedli doma, zbytky si vezměte s sebou. + Při stravování mimo domov požádejte o nízkokalorická jídla, například salátové dresinky, i v případě, že nejsou v nabídce. + Při stravování mimo domov žádejte o náhrady. Místo hranolků požádejte dvojitou porci zeleniny, jako je salát, zelené fazolky nebo brokolice. + Při stravování mimo domov si objednávejte jídla, která nejsou obalovaná nebo smažená. + Při stravování mimo domov požádejte o omáčky a salátové dresinky \"bokem.\" + \"Bez cukru\" opravdu neznamená bez cukru. To znamená 0,5 gramů (g) cukru na jednu porci, dejte si tedy pozor, abyste nekonzumovali tolik jídel \"bez cukru\". + Zdravá tělesná váha pomáhá držet krevní cukr pod kontrolou. Váš lékař, dietolog nebo fitness trenér vám může pomoci vytvořit plán, který vám s udržením nebo snížením tělesné váhy pomůže. + Kontrola a sledování hladiny krevního tlaku dvakrát denně v aplikaci jako je Glucosio vám pomůže znát výsledky z volby stravování a životního stylu. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Kontroly krevního tlaku, hladiny cholesterolu a hladiny triglyceridů, jsou důležité, neboť diabetici jsou náchylní k srdečním onemocněním. + Existuje několik typů diet, které můžete zvolit proto, abyste jedli zdravě a zároveň zlepšili výsledky cukrovky. Vyhledejte dietologa pro radu o nejvhodnější dietě pro vás a váš rozpočet. + Pravidelné cvičení je důležité zejména pro lidi trpící cukrovkou a může pomoci udržet si zdravou váhu. Poraďte se se svým lékařem o tom, která cvičení pro vás mohou být vhodná. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stres může mít na cukrovku negativní dopad, zvládání stresu můžete konzultovat s Vaším lékařem nebo jiným specialistou. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Starší diabetici mohou být více náchylní k onemocněním spojeným s cukrovkou. Konzultujte s vaším doktorem, jak velkou hraje váš věk roli s cukrovkou a na co si dát pozor. + Omezte množství soli, kterou používáte při vaření, a kterou přidáváte do jídel poté, co se jídla uvařila. + + Asistent + AKTUALIZOVAT NYNÍ + OK, ROZUMÍM + ODESLAT ZPĚTNOU VAZBU + PŘIDAT MĚŘENÍ + Aktualizujte vaši hmotnost + Ujistěte se, aby byla vaše váha vždy aktuální tak, aby mělo Glucosio co nejpřesnější informace. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Vytvořit kategorie + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Kontrolujte často + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Odeslat zpětnou vazbu + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Přidat měření + Ujistěte se, aby jste pravidelně přidávali hodnoty hladiny glykémie tak, abychom vám mohli pomoci průběžně sledovat hladiny glukózy. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Upřednostňovaný rozsah + Vlastní rozsah + Minimální hodnota + Nejvyšší hodnota + TRY IT NOW + diff --git a/app/src/main/res/values-csb-rPL/google-playstore-strings.xml b/app/src/main/res/values-csb-rPL/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-csb-rPL/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-csb-rPL/strings.xml b/app/src/main/res/values-csb-rPL/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-csb-rPL/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-cv-rCU/google-playstore-strings.xml b/app/src/main/res/values-cv-rCU/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-cv-rCU/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-cv-rCU/strings.xml b/app/src/main/res/values-cv-rCU/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-cv-rCU/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-cy-rGB/google-playstore-strings.xml b/app/src/main/res/values-cy-rGB/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-cy-rGB/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-cy-rGB/strings.xml b/app/src/main/res/values-cy-rGB/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-cy-rGB/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-da-rDK/google-playstore-strings.xml b/app/src/main/res/values-da-rDK/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-da-rDK/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-da-rDK/strings.xml b/app/src/main/res/values-da-rDK/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-da-rDK/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-de-rDE/google-playstore-strings.xml b/app/src/main/res/values-de-rDE/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-de-rDE/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-de-rDE/strings.xml b/app/src/main/res/values-de-rDE/strings.xml new file mode 100644 index 00000000..a24053ae --- /dev/null +++ b/app/src/main/res/values-de-rDE/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Einstellungen + Send feedback + Übersicht + Verlauf + Tipps + Hallo. + Hallo. + Nutzungsbedingungen. + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + Wir brauchen nur noch einige Dinge bevor Sie loslegen können. + Land + Alter + Bitte geben Sie ein gültiges Alter ein. + Geschlecht + Männlich + Weiblich + Sonstiges + Diabetes Typ + Typ 1 + Typ 2 + Bevorzugte Einheit + Anonyme Daten für die Forschung teilen. + Sie können dies später in den Einstellungen ändern. + NÄCHSTE + LOSLEGEN + No info available yet. \n Add your first reading here. + Blutzuckerspiegel hinzufügen + Konzentration + Datum + Zeit + Gemessen + Vor dem Frühstück + Nach dem Frühstück + Vor dem Mittagessen + Nach dem Mittagessen + Vor dem Abendessen + Nach dem Abendessen + Allgemein + Recheck + Nacht + Other + ABBRECHEN + HINZUFÜGEN + Please enter a valid value. + Bitte alle Felder ausfüllen. + Löschen + Bearbeiten + 1 Messwert gelöscht + RÜCKGÄNGIG + Zuletzt geprüft: + Trend in letzten Monat: + im normalen Bereich und gesund + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + Über + Version + Nutzungsbedingungen + Typ + Weight + Custom measurement category + + Essen Sie mehr frische, unverarbeitete Lebensmittel um Aufnahme von Kohlenhydraten und Zucker zu reduzieren. + Lesen Sie das ernährungsphysiologische Etikett auf verpackten Lebensmitteln und Getränken, um Zucker- und Kohlenhydrataufnahme zu kontrollieren. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-dsb-rDE/google-playstore-strings.xml b/app/src/main/res/values-dsb-rDE/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-dsb-rDE/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-dsb-rDE/strings.xml b/app/src/main/res/values-dsb-rDE/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-dsb-rDE/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-dv-rMV/google-playstore-strings.xml b/app/src/main/res/values-dv-rMV/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-dv-rMV/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-dv-rMV/strings.xml b/app/src/main/res/values-dv-rMV/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-dv-rMV/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-dz-rBT/google-playstore-strings.xml b/app/src/main/res/values-dz-rBT/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-dz-rBT/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-dz-rBT/strings.xml b/app/src/main/res/values-dz-rBT/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-dz-rBT/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-ee-rGH/google-playstore-strings.xml b/app/src/main/res/values-ee-rGH/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-ee-rGH/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-ee-rGH/strings.xml b/app/src/main/res/values-ee-rGH/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-ee-rGH/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-el-rGR/google-playstore-strings.xml b/app/src/main/res/values-el-rGR/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-el-rGR/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-el-rGR/strings.xml b/app/src/main/res/values-el-rGR/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-el-rGR/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-en-rGB/google-playstore-strings.xml b/app/src/main/res/values-en-rGB/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-en-rGB/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-en-rGB/strings.xml b/app/src/main/res/values-en-rGB/strings.xml new file mode 100644 index 00000000..6147218d --- /dev/null +++ b/app/src/main/res/values-en-rGB/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use. + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat grilled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers in a doggy bag. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of chips, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-en-rUS/google-playstore-strings.xml b/app/src/main/res/values-en-rUS/google-playstore-strings.xml new file mode 100644 index 00000000..f16c1cfc --- /dev/null +++ b/app/src/main/res/values-en-rUS/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose tends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-en-rUS/strings.xml b/app/src/main/res/values-en-rUS/strings.xml new file mode 100644 index 00000000..bb050868 --- /dev/null +++ b/app/src/main/res/values-en-rUS/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-eo-rUY/google-playstore-strings.xml b/app/src/main/res/values-eo-rUY/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-eo-rUY/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-eo-rUY/strings.xml b/app/src/main/res/values-eo-rUY/strings.xml new file mode 100644 index 00000000..7e79c13b --- /dev/null +++ b/app/src/main/res/values-eo-rUY/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Agordoj + Sendi rimarkon + Superrigardo + Historio + Konsiletoj + Saluton. + Saluton. + Kondiĉoj de uzado. + Mi legis kaj konsentas la kondiĉoj de uzado + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Lando + Aĝo + Please enter a valid age. + Sekso + Vira + Ina + Alia + Diabettipo + Tipo 1 + Tipo 2 + Preferata unuo + Share anonymous data for research. + You can change these in settings later. + SEKVA + KOMENCIĜI + No info available yet. \n Add your first reading here. + Aldoni sangoglukozonivelon + Koncentriteco + Dato + Tempo + Mezurita + Antaŭ matenmanĝo + Post matenmanĝo + Antaŭ tagmanĝo + Post tagmanĝo + Antaŭ vespermanĝo + Post vespermanĝo + Ĝenerala + Rekontroli + Nokto + Alia + NULIGI + ALDONI + Please enter a valid value. + Please fill all the fields. + Forigi + Redakti + 1 legado forigita + MALFARI + Lasta kontrolo: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + Pri + Versio + Kondiĉoj de uzado + Tipo + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Asistanto + ĜISDATIGI NUN + OK, GOT IT + Sendi rimarkon + ALDONI LEGADON + Ĝisdatigi vian pezon + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Krei kategoriojn + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Sendi rimarkon + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Aldoni legadon + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-es-rES/google-playstore-strings.xml b/app/src/main/res/values-es-rES/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-es-rES/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-es-rES/strings.xml b/app/src/main/res/values-es-rES/strings.xml new file mode 100644 index 00000000..e582d604 --- /dev/null +++ b/app/src/main/res/values-es-rES/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Configuración + Enviar comentarios + Información general + Historial + Consejos + Hola. + Hola. + Términos de Uso. + He leído y acepto los términos de uso + El contenido de la página web de Glucosio y sus aplicaciones, tales como el texto, los gráficos, las imágenes y otros materiales (\"contenido\"), son sólo para los fines informativos. El contenido no intenta ser un sustituto de los consejos, diagnósticos o tratamientos de los médicos profesionales. Animamos a los usuarios de Glucosio a que siempre busquen el asesoramiento de un médico u otro proveedor de salud calificado con cualquier pregunta que puedan tener sobre una condición médica. Nunca ignore los consejos médicos profesionales o retrasa en buscar el consejo debido a algo que ha leído en la Página Web de Glucosio o en nuestras aplicaciones. La Página Web, el Blog, el Wiki y otro contenido accesible por el navegador web (los sitios web) de Glucosio, deben ser utilizados únicamente para el propósito descrito. \n Confianza en cualquier información proporcionada por Glucosio, miembros del equipo de Glucosio, voluntarios u otros que aparecen en el sitio web o en nuestras aplicaciones es exclusivamente bajo su propio riesgo. El Sitio y el Contenido se proporcionan sobre una base \"tal cual\". + Solo necesitamos un par de cosas antes comenzar. + País + Edad + Por favor ingresa una edad válida. + Sexo + Masculino + Femenino + Otro + Tipo de diabetes + Tipo 1 + Tipo 2 + Unidad preferida + Comparte los datos de manera anónima para la investigación. + Puedes cambiar la configuración más tarde. + SIGUIENTE + EMPEZAR + No hay información disponible todavía. \n Añadir tu primera lectura aquí. + Añade el nivel de glucosa en la sangre + Concentración + Fecha + Hora + Medido + Antes del desayuno + Después del desayuno + Antes de la comida + Después de la comida + Antes de la cena + Después de la cena + Ajustes generales + Vuelva a revisar + Noche + Información adicional + Cancelar + Añadir + Por favor, ingrese un valor válido. + Por favor, rellena todos los campos. + Eliminar + Editar + 1 lectura eliminada + Deshacer + Última revisión: + Tendencia en el último mes: + en el rango y saludable + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + Sobre la aplicación + Versión + Condiciones de uso + Tipo + Weight + Custom measurement category + + Comer más alimentos frescos y no transformados para ayudar a reducir el consumo de carbohidratos y azúcar. + Lea las etiquetas nutricionales en los alimentos envasados y las bebidas para controlar el consumo de azúcar y carbohidratos. + Cuando coma fuera, pida pescado o carne a la parilla sin mantequilla ni aceite agregado. + Cuando coma fuera, pregunte si se ofrecen platos bajos en sodio. + Cuando coma fuera, coma porciones del mismo tamaño que se acostumbra comer en casa y llévese las sobras consigo. + Cuando coma fuera, pida comidas bajas en calorías, como los aderezos para ensaladas, aun si no salen en el menú. + Cuando coma fuera, pida sustituciones. En lugar de papas fritas, pida una orden doble de una verdura como la ensalada, las judías verdes o el brócoli. + Cuando coma fuera, pida comidas que no sean apanadas ni fritas. + Cuando coma fuera de casa, pida salsas y aderezos \"al lado.\" + Sin azúcar no realmente significa sin azúcar. Significa 0,5 gramos (g) de azúcar por porción, así que tenga cuidado para no comer demasiados artículos sin azucar. + Moverse hacia un peso saludable ayuda a control azúcar en la sangre. Su médico, una nutricionista y un entrenador físico pueden ayudarle a empezar en un plan que funcione para usted. + La verificación del nivel de sangre y el seguimiento del nivel en una aplicación como Glucosio dos veces al día le ayudará a ser consciente de los resultados de las opciones de comida y estilo de vida. + Obtenga un análisis de sangre A1c para averiguar su nivel de azúcar promedio durante los últimos 2 a 3 meses. Su médico debe decirle con qué frecuencia esta prueba será necesaria hacer. + Seguimiento de la cantidad de carbohidratos que consume puede ser tan importante como comprobar los niveles de sangre ya que los carbohidratos influyen los niveles de glucosa. Hable con su médico o dietista sobre el consumo de carbohidratos. + Controlar la presión arterial, el colesterol y los niveles de triglicéridos es importante porque los diabéticos son susceptibles a la enfermedad cardíaca. + Existen varios enfoques dietéticos que usted puede tomar para comer más sano y mejorar los resultados de su diabetes. Busque consejos de un dietista sobre lo que funcionaría mejor para usted y su presupuesto. + Es especialmente importante para los con diabetes que se esfuercen por hacer ejercicio regularmente, lo que puede ayudarles a mantener un peso saludable. Hable con su doctor para ver cuales ejercicios son adecuados para usted. + La privación de sueño puede llevarse a comer más comida chatarra, y como resultado, puede impactar su salud negativamente. Asegúrese de dormir bien y consulte a un especialista del sueño si le dificulta dormir. + El estrés puede tener un impacto negativo en los con diabetes. Hable con su doctor u otro profesional de salud de cómo manejar el estrés. + El visitar su doctor una vez al año y tener una comunicación durante el año entero es importante para los diabéticos para prevenir cualquier comienzo repentino de problemas de salud asociados. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limite la cantidad de sal que usa para cocinar y para salar las comidas después de cocinarlas. + + Asistente + ACTUALIZAR AHORA + OK, LO CONSIGUIÓ + SUBMIT FEEDBACK + ADD READING + Actualizar su peso + Asegúrese de actualizar su peso para que Glucosio tenga la información más precisa. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Crear categorías + Glucosio tiene categorías predeterminadas para la entrada de glucosa, pero puede crear categorías personalizadas en la configuración para que coincida con sus necesidades particulares. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Asegúrese de añadir regularmente sus lecturas de glucosa para que podamos ayudarle a seguir sus niveles de glucosa a lo largo del tiempo. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-es-rMX/google-playstore-strings.xml b/app/src/main/res/values-es-rMX/google-playstore-strings.xml new file mode 100644 index 00000000..ff0936d8 --- /dev/null +++ b/app/src/main/res/values-es-rMX/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio es un app gratis y fuente libre para personas diabeticas + Usando los Glucosio, usted puede entrar y seguir niveles de glucosa en su sangre, y al mismo tiempo, anónimamente apoyar investigación de la diabetes, contribuyendo las tendencias demográficas y anónimos de la glucosa, ¡ y recibirá consejos a través de nuestro asistente. Glucosio respeta su privacidad y siempre estás en control de sus datos. + * Centrado en el usuario. Aplicaciones de los Glucosio están construidas con características y un diseño que coincida con las necesidades del usuario y estamos constantemente abiertos a la retroalimentación para mejorarla. + * Fuente Libre. Con las aplicaciones de los Glucosio tiene la libertad para usar, copiar, estudiar y cambiar el código fuente de cualquiera de nuestras aplicaciones y también, si desea, puede contribuir al proyecto de Glucosio. + * Administrar los datos. Glucosio le permite rastrear y gestionar sus datos de diabetes de una interfaz intuitiva y moderna construida con la feedback de los diabéticos. + Apoyar la investigación. Aplicaciones de los Glucosio darán a los usuarios la opción de opt-in compartir información demográfica y datos anónimos de diabetes con los investigadores. + Por favor presentar cualquier errores, problemas o sugerencias en: + https://github.com/glucosio/android + Más detalles: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-es-rMX/strings.xml b/app/src/main/res/values-es-rMX/strings.xml new file mode 100644 index 00000000..467b1fb5 --- /dev/null +++ b/app/src/main/res/values-es-rMX/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Configuración + Enviar comentarios + Resumen + Historial + Consejos + Hola. + Hola. + Términos de Uso. + He leído y acepto los Términos de Uso + El contenido de la página web de Glucosio y sus aplicaciones, tales como el texto, los gráficos, las imágenes y otros materiales (\"contenido\"), son sólo para los fines informativos. El contenido no intenta ser un sustituto de los consejos, diagnósticos o tratamientos de los médicos profesionales. Animamos a los usuarios de Glucosio a que siempre busquen el asesoramiento de un médico u otro proveedor de salud calificado con cualquier pregunta que puedan tener sobre una condición médica. Nunca ignore los consejos médicos profesionales o retrasa en buscar el consejo debido a algo que ha leído en la Página Web de Glucosio o en nuestras aplicaciones. La Página Web, el Blog, el Wiki y otro contenido accesible por el navegador web (los sitios web) de Glucosio, deben ser utilizados únicamente para el propósito descrito. \n Confianza en cualquier información proporcionada por Glucosio, miembros del equipo de Glucosio, voluntarios u otros que aparecen en el sitio web o en nuestras aplicaciones es exclusivamente bajo su propio riesgo. El Sitio y el Contenido se proporcionan sobre una base \"tal cual\". + Solo necesitamos un par de cosas antes comenzar. + País + Edad + Por favor ingresa una edad válida. + Género + Masculino + Femenino + Otro + Tipo de diabetes + Tipo 1 + Tipo 2 + Unidad preferida + Comparte los datos de manera anónima para la investigación. + Puedes cambiar la configuración más tarde. + SIGUIENTE + EMPEZAR + No hay información disponible todavía. \n Añadir su primera lectura aquí. + Añadir el nivel de glucosa en la sangre + Concentración + Fecha + Hora + Medido + Antes del desayuno + Después del desayuno + Antes del almuerzo + Después del almuerzo + Antes de la cena + Después de la cena + Ajustes generales + Vuelva a verificar + Noche + Otro + CANCELAR + AÑADIR + Por favor, ingrese un valor válido. + Por favor, rellena todos los campos. + Eliminar + Editar + 1 lectura eliminada + DESHACER + Última revisión: + Tendencia en el último mes: + en el rango y saludable + Mes + Día + Semana + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + Sobre la aplicación + Versión + Términos de Uso + Tipo + Peso + Categoría de medida personalizada + + Come más alimentos frescos y sin procesar para ayudar a reducir la ingesta de carbohidratos y azúcar. + Debes de leer la etiqueta nutricional de los alimentos y bebidas envasados para controlar la ingesta diaria de azúcar y carbohidratos. + Cuando comas fuera de casa, pide pescado o carne a la parrilla sin aceite ni mantequilla extra. + Cuando comas fuera de casa, pregunta si tienen platos de bajo contenido de sodio. + Cuando coma fuera, coma porciones del mismo tamaño que acostumbra comer en casa y llévese las sobras consigo. + Cuando coma fuera, pida comidas bajas en calorías, como los aderezos para ensaladas, aun si no salen en el menú. + Cuando coma fuera, pida sustituciones. En lugar de papas fritas, pida una orden doble de una verdura como la ensalada, las judías verdes o el brócoli. + Cuando coma fuera, pida comidas que no sean apanadas ni fritas. + Cuando coma fuera de casa, pida salsas y aderezos \"al lado.\" + Sin azúcar no realmente significa sin azúcar. Significa 0,5 gramos (g) de azúcar por porción, así que tenga cuidado para no comer demasiados artículos sin azucar. + Moverse hacia un peso saludable ayuda a control azúcar en la sangre. Su médico, una nutricionista y un entrenador físico pueden ayudarle a empezar en un plan que funcione para usted. + La verificación del nivel de sangre y el seguimiento del nivel en una aplicación como Glucosio dos veces al día le ayudará a ser consciente de los resultados de las opciones de comida y estilo de vida. + Obtenga un análisis de sangre A1c para averiguar su nivel de azúcar promedio durante los últimos 2 a 3 meses. Su médico debe decirle con qué frecuencia esta prueba será necesaria hacer. + Seguimiento de la cantidad de carbohidratos que consume puede ser tan importante como comprobar los niveles de sangre ya que los carbohidratos influyen los niveles de glucosa. Hable con su médico o dietista sobre el consumo de carbohidratos. + Controlar la presión arterial, el colesterol y los niveles de triglicéridos es importante porque los diabéticos son susceptibles a la enfermedad cardíaca. + Existen varios enfoques dietéticos que usted puede tomar para comer más sanamente y mejorar los resultados de su diabetes. Busque consejos de un dietista sobre lo que funcionaría mejor para usted y su presupuesto. + Es especialmente importante que las personas con diabetes se esfuercen por hacer ejercicio regularmente, lo que puede ayudarles a mantener un peso saludable. Hable con su doctor sobre los ejercicios que serán adecuados para usted. + La privación de sueño puede llevarse a comer más comida chatarra, y como resultado, puede afectar su salud negativamente. Asegúrese de dormir bien y consulte a un especialista del sueño si le dificulta dormir. + El estrés puede tener un impacto negativo en los con diabetes. Hable con su doctor u otro profesional de salud de cómo manejar el estrés. + El visitar a su doctor una vez al año y tener una comunicación durante el año entero es importante para los diabéticos para prevenir cualquier comienzo repentino de problemas de salud asociados. + Tome sus medicamentos según la receta de su médico. Aun los pequeños lapsos en su medicina pueden afectar su nivel de glucosa sanguínea y provocar otros efectos secundarios. Si tiene dificultad para recordar de tomar los medicamentos, pregunte a su médico acerca de la administración de medicamentos y las opciones recordatorios. + + + Los diabéticos mayores pueden estar en mayor riesgo de problemas de salud asociados con la diabetes. Hable con su médico sobre cómo la edad juega un papel en la diabetes y cómo cuidarse. + Limita la cantidad de sal que usas para cocinar y no agregues más a la comida después de haber sido cocinada. + + Asistente + ACTUALIZAR AHORA + OK, LO CONSIGUIÓ + ENVIAR COMENTARIOS + AGREGAR LECTURA + Actualizar su peso + Asegúrese de actualizar su peso para que Glucosio tenga la información más precisa. + Actualizar su investigación opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Crear categorías + Glucosio tiene categorías predeterminadas para la entrada de glucosa, pero puede crear categorías personalizadas en la configuración para que coincida con sus necesidades particulares. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Asegúrese de añadir regularmente sus lecturas de glucosa para que podamos ayudarle a seguir sus niveles de glucosa a lo largo del tiempo. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-es-rVE/google-playstore-strings.xml b/app/src/main/res/values-es-rVE/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-es-rVE/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-es-rVE/strings.xml b/app/src/main/res/values-es-rVE/strings.xml new file mode 100644 index 00000000..5eacd713 --- /dev/null +++ b/app/src/main/res/values-es-rVE/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Ajustes + Enviar comentarios + Resumen + Historial + Consejos + Hola. + Hola. + Términos de Uso. + He leído y acepto los términos de uso + El contenido de la página web de Glucosio y sus aplicaciones, tales como el texto, los gráficos, las imágenes y otros materiales (\"contenido\"), son sólo para los fines informativos. El contenido no intenta ser un sustituto de los consejos, diagnósticos o tratamientos de los médicos profesionales. Animamos a los usuarios de Glucosio a que siempre busquen el asesoramiento de un médico u otro proveedor de salud calificado con cualquier pregunta que puedan tener sobre una condición médica. Nunca ignore los consejos médicos profesionales o retrasa en buscar el consejo debido a algo que ha leído en la Página Web de Glucosio o en nuestras aplicaciones. La Página Web, el Blog, el Wiki y otro contenido accesible por el navegador web (los sitios web) de Glucosio, deben ser utilizados únicamente para el propósito descrito. \n Confianza en cualquier información proporcionada por Glucosio, miembros del equipo de Glucosio, voluntarios u otros que aparecen en el sitio web o en nuestras aplicaciones es exclusivamente bajo su propio riesgo. El Sitio y el Contenido se proporcionan sobre una base \"tal cual\". + Solo necesitamos un par de cosas antes comenzar. + País + Edad + Por favor escribe una edad válida. + Género + Masculino + Femenino + Otro + Tipo de diabetes + Tipo 1 + Tipo 2 + Unidad preferida + Compartir datos anónimos para la investigación. + Puedes cambiar la configuración más tarde. + SIGUIENTE + EMPEZAR + No hay información disponible todavía. \n Añadir tu primera lectura aquí. + Añade el nivel de glucosa en la sangre + Concentración + Fecha + Hora + Medido + Antes del desayuno + Después del desayuno + Antes del almuerzo + Después del almuerzo + Antes de la cena + Después de la cena + Ajustes generales + Vuelva a revisar + Noche + Información adicional + Cancelar + Añadir + Por favor, ingrese un valor válido. + Por favor, rellena todos los campos. + Eliminar + Editar + 1 lectura eliminada + Deshacer + Última revisión: + Tendencia en el último mes: + en el rango y saludable + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + Sobre la aplicación + Versión + Condiciones de uso + Tipo + Weight + Custom measurement category + + Comer más alimentos frescos y no transformados para ayudar a reducir el consumo de carbohidratos y azúcar. + Lea las etiquetas nutricionales en los alimentos envasados y las bebidas para controlar el consumo de azúcar y carbohidratos. + Cuando coma fuera, pida pescado o carne a la parilla sin mantequilla ni aceite agregado. + Cuando coma fuera, pregunte si se ofrecen platos bajos en sodio. + Cuando coma fuera, coma porciones del mismo tamaño que se acostumbra comer en casa y llévese las sobras consigo. + Cuando coma fuera, pida comidas bajas en calorías, como los aderezos para ensaladas, aun si no salen en el menú. + Cuando coma fuera, pida sustituciones. En lugar de papas fritas, pida una orden doble de una verdura como la ensalada, las judías verdes o el brócoli. + Cuando coma fuera, pida comidas que no sean apanadas ni fritas. + Cuando coma fuera de casa, pida salsas y aderezos \"al lado.\" + Sin azúcar no realmente significa sin azúcar. Significa 0,5 gramos (g) de azúcar por porción, así que tenga cuidado para no comer demasiados artículos sin azucar. + Moverse hacia un peso saludable ayuda a control azúcar en la sangre. Su médico, una nutricionista y un entrenador físico pueden ayudarle a empezar en un plan que funcione para usted. + La verificación del nivel de sangre y el seguimiento del nivel en una aplicación como Glucosio dos veces al día le ayudará a ser consciente de los resultados de las opciones de comida y estilo de vida. + Obtenga un análisis de sangre A1c para averiguar su nivel de azúcar promedio durante los últimos 2 a 3 meses. Su médico debe decirle con qué frecuencia esta prueba será necesaria hacer. + Seguimiento de la cantidad de carbohidratos que consume puede ser tan importante como comprobar los niveles de sangre ya que los carbohidratos influyen los niveles de glucosa. Hable con su médico o dietista sobre el consumo de carbohidratos. + Controlar la presión arterial, el colesterol y los niveles de triglicéridos es importante porque los diabéticos son susceptibles a la enfermedad cardíaca. + Existen varios enfoques dietéticos que usted puede tomar para comer más sano y mejorar los resultados de su diabetes. Busque consejos de un dietista sobre lo que funcionaría mejor para usted y su presupuesto. + Es especialmente importante para los con diabetes que se esfuercen por hacer ejercicio regularmente, lo que puede ayudarles a mantener un peso saludable. Hable con su doctor para ver cuales ejercicios son adecuados para usted. + La privación de sueño puede llevarse a comer más comida chatarra, y como resultado, puede impactar su salud negativamente. Asegúrese de dormir bien y consulte a un especialista del sueño si le dificulta dormir. + El estrés puede tener un impacto negativo en los con diabetes. Hable con su doctor u otro profesional de salud de cómo manejar el estrés. + El visitar su doctor una vez al año y tener una comunicación durante el año entero es importante para los diabéticos para prevenir cualquier comienzo repentino de problemas de salud asociados. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limite la cantidad de sal que usa para cocinar y para salar las comidas después de cocinarlas. + + Asistente + ACTUALIZAR AHORA + OK, LO CONSIGUIÓ + SUBMIT FEEDBACK + ADD READING + Actualizar su peso + Asegúrese de actualizar su peso para que Glucosio tenga la información más precisa. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Crear categorías + Glucosio tiene categorías predeterminadas para la entrada de glucosa, pero puede crear categorías personalizadas en la configuración para que coincida con sus necesidades particulares. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Asegúrese de añadir regularmente sus lecturas de glucosa para que podamos ayudarle a seguir sus niveles de glucosa a lo largo del tiempo. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-et-rEE/google-playstore-strings.xml b/app/src/main/res/values-et-rEE/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-et-rEE/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-et-rEE/strings.xml b/app/src/main/res/values-et-rEE/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-et-rEE/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-eu-rES/google-playstore-strings.xml b/app/src/main/res/values-eu-rES/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-eu-rES/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-eu-rES/strings.xml b/app/src/main/res/values-eu-rES/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-eu-rES/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-fa-rAF/google-playstore-strings.xml b/app/src/main/res/values-fa-rAF/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-fa-rAF/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-fa-rAF/strings.xml b/app/src/main/res/values-fa-rAF/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-fa-rAF/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-fa-rIR/google-playstore-strings.xml b/app/src/main/res/values-fa-rIR/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-fa-rIR/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-fa-rIR/strings.xml b/app/src/main/res/values-fa-rIR/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-fa-rIR/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-ff-rZA/google-playstore-strings.xml b/app/src/main/res/values-ff-rZA/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-ff-rZA/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-ff-rZA/strings.xml b/app/src/main/res/values-ff-rZA/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-ff-rZA/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-fi-rFI/google-playstore-strings.xml b/app/src/main/res/values-fi-rFI/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-fi-rFI/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-fi-rFI/strings.xml b/app/src/main/res/values-fi-rFI/strings.xml new file mode 100644 index 00000000..65ba0ab4 --- /dev/null +++ b/app/src/main/res/values-fi-rFI/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Asetukset + Anna palautetta + Yhteenveto + Historia + Vinkit + Hei. + Hei. + Käyttöehdot. + Olen lukenut ja hyväksyn käyttöehdot + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + Käydään läpi muutama asia ennen käytön aloittamista. + Maa + Ikä + Anna kelvollinen ikä. + Sukupuoli + Mies + Nainen + Muu + Diabetestyyppi + Tyyppi 1 + Tyyppi 2 + Yksikkö + Jaa tietoja nimettömästi tutkimustarkoituksiin. + Voit muuttaa näitä myöhemmin asetuksista. + SEURAAVA + ALOITA + Tietoa ei ole vielä saatavilla. \n Lisää ensimmäinen lukemasi tähän. + Lisää verensokeritaso + Pitoisuus + Päivä + Aika + Mitattu + Ennen aamiaista + Aamiaisen jälkeen + Ennen lounasta + Lounaan jälkeen + Ennen illallista + Illallisen jälkeen + General + Recheck + Night + Other + PERUUTA + LISÄÄ + Please enter a valid value. + Täytä kaikki kentät. + Poista + Muokkaa + 1 lukema poistettu + KUMOA + Viimeisin tarkistus: + Kehitys viime kuukauden aikana: + rajoissa ja terve + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + Tietoa + Versio + Käyttöehdot + Tyyppi + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + LISÄÄ LUKEMA + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Lisää lukema + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-fil-rPH/google-playstore-strings.xml b/app/src/main/res/values-fil-rPH/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-fil-rPH/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-fil-rPH/strings.xml b/app/src/main/res/values-fil-rPH/strings.xml new file mode 100644 index 00000000..eaf5f29a --- /dev/null +++ b/app/src/main/res/values-fil-rPH/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Mga Setting + Magpadala ng feedback + Overview + Kasaysayan + Mga Tip + Mabuhay. + Mabuhay. + Terms of Use. + Nabasa ko at tinatanggap ang Terms of Use + Ang mga nilalaman ng Glucosio website at apps, lahat ng mga teksto, larawan, imahen at iba pang materyal (\"Content\") ay inilathala para sa impormasyon lamang. Ang mga nasabing nilalaman at hindi maaring gamit sa pangpropesyunal na payong pangmedikal, pagsusuri o kagamutan. Lahat ng gumagamit ng Glucosio ay hinihikayat na magpasuri sa mga doktor o mga tagapayong pangkalusugan sa anumang katanungan hingil sa inyong sakit.\n Walang pananagutan ang Glucosio team, volunteers at mga nilalaman sa aming website sa paggamit ng aming produkto. + Kinakailangan namin ang ilang mga bagay bago tayo makapagsimula. + Bansa + Edad + Paki-enter ang tamang edad. + Kasarian + Lalaki + Babae + Iba + Uri ng diabetes + Type 1 + Type 2 + Nais na unit + Ibahagi ang anonymous data para sa pagsasaliksik. + Maaari mong palitan ang mga settings na ito mamaya. + SUSUNOD + MAGSIMULA + Walang impormasyon na nakatala. \n Magdagdag ng iyong unang reading dito. + Idagdag ang Blood Glucose Level + Konsentrasyon + Petsa + Oras + Sukat + Bago mag-agahan + Pagkatapos ng agahan + Bago magtanghalian + Pagkatapos ng tanghalian + Bago magdinner + Pagkatapos magdinner + Pangkabuuan + Suriin muli + Gabi + Iba pa + KANSELAHIN + IDAGDAG + Mag-enter ng tamang value. + Paki-punan ang lahat ng mga fields. + Burahin + I-edit + Binura ang 1 reading + I-UNDO + Huling pagsusuri: + Trend sa nakalipas na buwan: + nasa tamang sukat at ikaw ay malusog + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + Tungkol sa + Bersyon + Terms of use + Uri + Weight + Custom na kategorya para sa mga sukat + + Kumain ng mga sariwa at hindi processed na mga pagkain para makaiwas sa carbohydrate at asukal. + Basahing mabuti ang nutritional label sa mga packaged food at beverages para makontrol ang lebel ng asukal at carbohydrate sa kinakain. + Kung kakain sa labas, kumain ng isda o nilagang karne na walang mantikilya o mantika. + Kapag kumakain sa labas, kumuha ng mga low sodium na pagkain. + Kung kakain sa labas, siguraduhing ang dami ng iyong kakainin ay katulad lamang ng pagkain mo kung ikaw ay nasa bahay at huwag mag-uuwi ng mga tira. + Kung kakain sa labas, kumuha ng mga pagkaing mababa sa calorie, tulad ng salad dressings, kahit na ang mga ito ay wala sa menu. + Kung kakain sa labas, magtanong ng mga substitutions. Halimbawa, sa halip na kumain ng French Fries, kumuha ng dalawang order ng gulay tulad ng salad, green beans at repolyo. + Kung kakain sa labas, kumuha ng pagkaing hindi breaded or pinirito. + Kung kakain sa labas, humingi ng mga sauce, gravy at salad dressings bilang pang-ulam. + Hindi ibig sabihin na kapag ang isang bagay ay sugar free, wala na itong asukal. Ang ibig nitong sabihin ay mayroon lamang ito na 0.5 grams (g) ng asukal sa bawat serving, kaya mag-ingat at kumain lamang ng tamang pagkain na nagsasabing sila ay sugar free. + Ang pagkakaroon ng tamang timbang at nakatutulong sa pagkontrol ng blood sugar. Alamin ang tamang pamamaraan mula sa inyong doktor. + Ang pagsusuri ng iyong blood level at pagtatala nito sa app na katulad ng Glucosio dalawang beses sa isang araw ay makatutulong para magkaron ng mabuting pagpili sa mga kinakain at pamumuhay. + Magpakuha ng A1c blood test para malaman ang iyong blood sugar average sa nagdaang 2 hanggang 3 buwan. Sasabihin sa iyo ng iyong doktok kung gaano kadalas mo dapat ginawa ang ganitong pagsusuri. + Ang pagtatala kung ilang carbohydrates ang nasa iyong pagkain ay kasing halaga ng pagsusuri ng iyong blood levels, dahil ito ay nakaaapekto sa bawat isa. Kausapin ang iyong manggagamot para sa nararapat ng carbohydrate intake. + Ang pag-control ng iyong blood pressure, cholesterol at triglyceride levels ay mahalaga dahil ang mga diabetiko ay mas malaki ang tsansang magkasakit sa puso. + May iba\'t-ibang pamamaraan sa pagdidiyeta para makatulong na ikaw ay maging malusog at makontrol ang iyong diabetes. Kumunsulta sa isang dietician para malaman kung ano ang pinakamabuting pamamaraan ng pagdidiyeta na pasok sa iyong budget. + Ang palagiang pag-eehersisyo ay mahalaga sa mga diabetiko para mapanatili ang tamang timbang. Kumunsulta sa inyong doktor para malaman ang tamang ehersisyo sa iyo. + Kung kulang ka sa tulog, ito ay magiging sanhi para ikaw ay kumain nang mas marami at kumain ng mga junk foods na hindi maganda sa iyong kalusugan. Siguraduhing may sapat na oras ng tulog sa gabi. Sumangguni sa espesyalista kung kinakailangan. + May malaking epekto ang stress sa mga diabetiko. Kumunsulta sa inyong doktor para malaman kung paano malalabanan ang stress. + Ang pagbisita sa iyong doktor at palagiang kuminikasyon sa kaniya sa loob ng buong taon ay mahalaga para sa mga may diabetes para maiwasan ang paglubha ng iyong sakit. + Palagiang uminom ng gamot base sa payo ng inyong doktor. Ang pagliban sa pag-inom ng gamot ay may malaking epekto sa iyong blood glucose level. Kumunsulta sa inyong doktor para malaman ang pinakaepektibong pamamaraan na hindi mo malilimutang uminom ng gamot sa oras. + + + May epekto ang edad ng isang diabetiko. Kumunsulta sa inyong doktor para malaman kung anu-ano ang dapat gawin ng isang diabetikong may edad na. + Siguraduhing kakaunti lamang ang asin sa pagkaing niluluto o ang paggamit nito habang kumakain. + + Assistant + I-UPDATE NGAYON + OK + I-SUBMIT ANG FEEDBACK + MAGDAGDAG NG READING + I-update ang iyong timbang + Siguraduhing tama ang iyong timbang para makapagbigay ng mas angkop na impormasyon ang Glucosio. + I-update ang iyong research opt-in + Maaari kang hindi mapabilang sa aming diabetes research sharing kung iyong nanaisin. Lahat ng impormasyon na aming nilalagap ay anonymous at hinding-hindi namin ito ipamimigay kanino man. + Gumawa ng mga kategorya + Ang Glucosio ay mga kategoryang kalakip para sa glucose input, ngunit maaari kang gumawa ng sarili mong kategorya kung nanaisin. + Pumunta dito ng madalas + Nagbibigay ang Glucosio assistant ng mga payo kung paano gaganda ang iyong kalusugan at kung paano mo makukuha ang benepisyo ng paggamit ng Glucosio. + I-submit ang feedback + Kung may mga katanungang pangteknikal or may mga puna at suhesyon para sa Glucosio, pumunta sa settings menu. + Magdagdag ng reading + Siguraduhing palaging magdagdag ng iyong glucose readings para ikaw matulungan naming i-track ang iyong glucose levels. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-fj-rFJ/google-playstore-strings.xml b/app/src/main/res/values-fj-rFJ/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-fj-rFJ/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-fj-rFJ/strings.xml b/app/src/main/res/values-fj-rFJ/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-fj-rFJ/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-fo-rFO/google-playstore-strings.xml b/app/src/main/res/values-fo-rFO/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-fo-rFO/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-fo-rFO/strings.xml b/app/src/main/res/values-fo-rFO/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-fo-rFO/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-fr-rFR/google-playstore-strings.xml b/app/src/main/res/values-fr-rFR/google-playstore-strings.xml new file mode 100644 index 00000000..88a1c51c --- /dev/null +++ b/app/src/main/res/values-fr-rFR/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio est une application gratuite et open source centrée sur l\'utilisateur atteints de diabète + En utilisant Glucosio, vous pouvez entrer et suivre la glycémie, anonymement soutenir recherche sur le diabète en contribuant des tendances démographiques et rendues anonymes du glucose et obtenir des conseils utiles par le biais de notre assistant. Glucosio respecte votre vie privée et vous êtes toujours en contrôle de vos données. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. L\'application Glucosio vous donne la liberté d\'utiliser, de copier, d\'étudier et de changer le code source de chacune de nos application et même de contribuer au projet Glucosio. + * Gestion des données. Glucosio vous permet de suivre et de gérer votre diabète de manière intuitive, grâce à une interface moderne construite à l\'aide des retours de diabétiques. + * Supporter la recherche. Glucosio donne à l\'utilisateur la possibilité de partager des données anonymisées à propos du diabète et de sa situation démographique avec les chercheurs. + Veuillez déposer les bogues, problèmes ou demandes de fonctionnalité à : + https://github.com/glucosio/android + En savoir plus: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-fr-rFR/strings.xml b/app/src/main/res/values-fr-rFR/strings.xml new file mode 100644 index 00000000..ce1d32f9 --- /dev/null +++ b/app/src/main/res/values-fr-rFR/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Réglages + Envoyez vos commentaires + Aperçu + Historique + Astuces + Bonjour. + Bonjour. + Conditions d\'utilisation. + J\'ai lu et accepté les conditions d\'utilisation + Le contenu du site Web Glucosio et applications, tels que textes, graphiques, images et autre matériel (\"contenu\") est à titre informatif seulement. Le contenu ne vise pas à se substituer à un avis médical professionnel, diagnostic ou traitement. Nous encourageons les utilisateurs de Glucosio de toujours demander l\'avis de votre médecin ou un autre fournisseur de santé qualifié pour toute question que vous pourriez avoir concernant un trouble médical. Ne jamais ignorer un avis médical professionnel ou tarder à le chercher parce que vous avez lu sur le site Glucosio ou dans nos applications. Le site Glucosio, Blog, Wiki et autres contenus accessibles du navigateur web (« site Web ») devraient être utilisés qu\'aux fins décrites ci-dessus. \n Reliance sur tout renseignement fourni par Glucosio, membres de l\'équipe Glucosio, bénévoles et autres apparaissant sur le site ou dans nos applications est exclusivement à vos propres risques. Le Site et son contenu sont fournis sur une base \"tel quel\". + Avant de démarrer, nous avons besoin de quelques renseignements. + Pays + Âge + Veuillez saisir un âge valide. + Sexe + Homme + Femme + Autre + Type de diabète + Type 1 + Type 2 + Unité préférée + Partager des données anonymes pour la recherche. + Vous pouvez modifier ces réglages plus tard. + SUIVANT + COMMENCER + Aucune info disponible encore. \n ajouter votre première lecture ici. + Saisir le niveau de glycémie + Concentration + Date + Heure + Mesuré + Avant le petit-déjeuner + Après le petit-déjeuner + Avant le déjeuner + Après le déjeuner + Avant le dîner + Après le dîner + Général + Revérifier + Nuit + Autre + ANNULER + AJOUTER + Merci d\'entrer une valeur valide. + Veuillez saisir tous les champs. + Supprimer + Éditer + 1 enregistrement supprimé + Annuler + Dernière vérification\u00A0: + Tendance sur le dernier mois\u00A0: + dans l\'intervalle normal + Mois + Jour + Semaine + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + A propos + Version + Conditions d\'utilisation + Type + Poids + Catégorie de mesure personnalisée + + Mangez plus d\'aliments frais et non transformés pour faciliter la réduction des apports en glucide et en sucre. + Lisez les informations nutritionnelles présentes sur les emballages des aliments et boissons pour contrôler vos apports en sucre et glucides. + Lors d\'un repas à l\'extérieur, demandez du poisson ou de la viande grillée, sans matières grasses supplémentaires. + Lors d\'un repas à l\'extérieur, demandez si certains plats ont une faible teneur en sel. + Lors d\'un repas à l\'extérieur, mangez la même quantité que ce vous avez l\'habitude de consommer et décidez d\'emporter les restes ou non. + Lors d\'un repas à l\'extérieur, demandez des accompagnements à faible teneur en calories, même si ceux-ci ne sont pas sur le menu. + Lors d\'un repas à l\'extérieur, n\'hésitez pas à demander à échanger des ingrédients. À la place des frites, demandez plutôt une double ration de salade, de haricots ou de brocolis. + Lors d\'un repas à l\'extérieur, commandez des aliments qui ne soient pas fris ou panés. + Lors d\'un repas à l\'extérieur, demandez à ce que les sauces et vinaigrettes soit servies « à côté ». + « Sans sucre » ne signifie pas exactement sans sucre. Cela peut indiquer qu\'il y a 0,5 grammes (g) de sucre par portion. Attention à ne pas consommer trop d\'aliments « sans sucre ». + En vous orientant vers un bon poids pour votre santé aide le contrôle de la glycémie. Votre médecin, un diététicien et un entraîneur peuvent vous aider à démarrer sur un plan qui fonctionnera pour vous. + La vérification de votre niveau de sang et son suivi dans une application comme Glucosio deux fois par jour vous aidera à être au courant des résultats des choix alimentaires et de mode de vie. + Obtenez des tests sanguins A1c pour trouver votre glycémie moyenne pour les 2 à 3 derniers mois. Votre médecin vous donnera la fréquence de l\'effectuation de ces tests. + Surveiller combien de glucides vous consommez peut être aussi important que de surveiller votre niveau de sang, puisque les glucides influent sur le taux de glucose dans le sang. Parlez à votre médecin ou votre diététicien de l\'apport en glucides. + Le contrôle de la pression artérielle, le cholestérol et le taux de triglycérides est important car les diabétiques sont sensibles à des risques cardiaques. + Il y a plusieurs approches de régime alimentaire, que vous pouvez adopter pour manger sainement et en aidant à améliorer les résultats de votre diabète. Demandez conseil à votre diététicien sur ce qui fonctionnera le mieux pour vous et votre budget. + Faire de l\'exercice régulièrement est encore plus important chez les diabétiques et vous aidera à garder un poids sain. Parlez à votre médecin des exercices qui seraient les plus adaptés pour vous. + La privation de sommeil peut vous pousser à manger plus, et plus particulièrement des cochonneries, et peut donc impacter négativement sur votre santé. Assurez-vous d\'avoir une bonne nuit réparatrice et consultez un spécialiste du sommeil si vous éprouvez des difficultés. + Le stress peut avoir un impact négatif sur le diabète, discutez avec votre médecin ou avec d\'autres professionnels de santé pour savoir comment gérer le stress. + Afin de prévenir tout apparition soudaine de problème de santé, quand on est diabétique, il est important de prendre rendez-vous avec son médecin, au moins une fois par an, et d\'échanger avec tout au long de l\'année. + Prenez vos médicaments tels qu\'ils vous ont été prescrits, même les légers écarts peuvent impacter votre glycémie et provoquer d\'autres effets secondaires. Si vous avez des difficultés à mémoriser le rythme et les doses, n\'hésitez pas à demander à votre médecin des outils pour vous aider à créer des rappels. + + + Les personnes diabétiques plus âgées ont un risque plus élevé d\'avoir des problèmes de santé liés au diabète. Discutez avec votre médecin pour connaître le rôle de votre âge dans votre diabète et savoir ce qu\'il faut surveiller. + Limitez la quantité de sel utilisée pour cuisiner et celle ajoutée aux plats après la cuisson. + + Assistant + METTRE A JOUR + OK, COMPRIS + SOUMETTRE UN RETOUR + AJOUTER LECTURE + Mise à jour de votre poids + Assurez-vous de mettre à jour votre poids afin Glucosio contient les informations les plus exactes. + Update your research opt-in + Vous pouvez toujours activer ou désactiver le partage pour la recherche sur le diabète, mais rappelez vous que les données partagées sont entièrement anonyme. Nous partageons seulement les données démographiques et le niveau de glucose. + Créer des catégories + Glucosio comprend des catégories par défaut pour l\'entrée de glucose mais vous pouvez créer des catégories personnalisées dans paramètres pour assortir vos besoins uniques. + Vérifiez souvent + Glucosio assistant fournit des conseils réguliers et va continuer à améliorer, il faut donc toujours vérifier ici pour des actions utiles, que vous pouvez prendre pour améliorer votre expérience de Glucosio et pour d\'autres conseils utiles. + Envoyer un commentaire + Si vous trouvez des problèmes techniques ou avez des commentaires sur Glucosio nous vous encourageons à nous les transmettre dans le menu réglages afin de nous aider à améliorer Glucosio. + Ajouter une lecture + N\'oubliez pas d\'ajouter régulièrement vos lectures de glucose, donc nous pouvons vous aider à suivre votre taux de glucose dans le temps. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Gamme préférée + Gamme personnalisée + Valeur minimum + Valeur maximum + Essayez Maintenant + diff --git a/app/src/main/res/values-fr-rQC/google-playstore-strings.xml b/app/src/main/res/values-fr-rQC/google-playstore-strings.xml new file mode 100644 index 00000000..88a1c51c --- /dev/null +++ b/app/src/main/res/values-fr-rQC/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio est une application gratuite et open source centrée sur l\'utilisateur atteints de diabète + En utilisant Glucosio, vous pouvez entrer et suivre la glycémie, anonymement soutenir recherche sur le diabète en contribuant des tendances démographiques et rendues anonymes du glucose et obtenir des conseils utiles par le biais de notre assistant. Glucosio respecte votre vie privée et vous êtes toujours en contrôle de vos données. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. L\'application Glucosio vous donne la liberté d\'utiliser, de copier, d\'étudier et de changer le code source de chacune de nos application et même de contribuer au projet Glucosio. + * Gestion des données. Glucosio vous permet de suivre et de gérer votre diabète de manière intuitive, grâce à une interface moderne construite à l\'aide des retours de diabétiques. + * Supporter la recherche. Glucosio donne à l\'utilisateur la possibilité de partager des données anonymisées à propos du diabète et de sa situation démographique avec les chercheurs. + Veuillez déposer les bogues, problèmes ou demandes de fonctionnalité à : + https://github.com/glucosio/android + En savoir plus: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-fr-rQC/strings.xml b/app/src/main/res/values-fr-rQC/strings.xml new file mode 100644 index 00000000..ce1d32f9 --- /dev/null +++ b/app/src/main/res/values-fr-rQC/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Réglages + Envoyez vos commentaires + Aperçu + Historique + Astuces + Bonjour. + Bonjour. + Conditions d\'utilisation. + J\'ai lu et accepté les conditions d\'utilisation + Le contenu du site Web Glucosio et applications, tels que textes, graphiques, images et autre matériel (\"contenu\") est à titre informatif seulement. Le contenu ne vise pas à se substituer à un avis médical professionnel, diagnostic ou traitement. Nous encourageons les utilisateurs de Glucosio de toujours demander l\'avis de votre médecin ou un autre fournisseur de santé qualifié pour toute question que vous pourriez avoir concernant un trouble médical. Ne jamais ignorer un avis médical professionnel ou tarder à le chercher parce que vous avez lu sur le site Glucosio ou dans nos applications. Le site Glucosio, Blog, Wiki et autres contenus accessibles du navigateur web (« site Web ») devraient être utilisés qu\'aux fins décrites ci-dessus. \n Reliance sur tout renseignement fourni par Glucosio, membres de l\'équipe Glucosio, bénévoles et autres apparaissant sur le site ou dans nos applications est exclusivement à vos propres risques. Le Site et son contenu sont fournis sur une base \"tel quel\". + Avant de démarrer, nous avons besoin de quelques renseignements. + Pays + Âge + Veuillez saisir un âge valide. + Sexe + Homme + Femme + Autre + Type de diabète + Type 1 + Type 2 + Unité préférée + Partager des données anonymes pour la recherche. + Vous pouvez modifier ces réglages plus tard. + SUIVANT + COMMENCER + Aucune info disponible encore. \n ajouter votre première lecture ici. + Saisir le niveau de glycémie + Concentration + Date + Heure + Mesuré + Avant le petit-déjeuner + Après le petit-déjeuner + Avant le déjeuner + Après le déjeuner + Avant le dîner + Après le dîner + Général + Revérifier + Nuit + Autre + ANNULER + AJOUTER + Merci d\'entrer une valeur valide. + Veuillez saisir tous les champs. + Supprimer + Éditer + 1 enregistrement supprimé + Annuler + Dernière vérification\u00A0: + Tendance sur le dernier mois\u00A0: + dans l\'intervalle normal + Mois + Jour + Semaine + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + A propos + Version + Conditions d\'utilisation + Type + Poids + Catégorie de mesure personnalisée + + Mangez plus d\'aliments frais et non transformés pour faciliter la réduction des apports en glucide et en sucre. + Lisez les informations nutritionnelles présentes sur les emballages des aliments et boissons pour contrôler vos apports en sucre et glucides. + Lors d\'un repas à l\'extérieur, demandez du poisson ou de la viande grillée, sans matières grasses supplémentaires. + Lors d\'un repas à l\'extérieur, demandez si certains plats ont une faible teneur en sel. + Lors d\'un repas à l\'extérieur, mangez la même quantité que ce vous avez l\'habitude de consommer et décidez d\'emporter les restes ou non. + Lors d\'un repas à l\'extérieur, demandez des accompagnements à faible teneur en calories, même si ceux-ci ne sont pas sur le menu. + Lors d\'un repas à l\'extérieur, n\'hésitez pas à demander à échanger des ingrédients. À la place des frites, demandez plutôt une double ration de salade, de haricots ou de brocolis. + Lors d\'un repas à l\'extérieur, commandez des aliments qui ne soient pas fris ou panés. + Lors d\'un repas à l\'extérieur, demandez à ce que les sauces et vinaigrettes soit servies « à côté ». + « Sans sucre » ne signifie pas exactement sans sucre. Cela peut indiquer qu\'il y a 0,5 grammes (g) de sucre par portion. Attention à ne pas consommer trop d\'aliments « sans sucre ». + En vous orientant vers un bon poids pour votre santé aide le contrôle de la glycémie. Votre médecin, un diététicien et un entraîneur peuvent vous aider à démarrer sur un plan qui fonctionnera pour vous. + La vérification de votre niveau de sang et son suivi dans une application comme Glucosio deux fois par jour vous aidera à être au courant des résultats des choix alimentaires et de mode de vie. + Obtenez des tests sanguins A1c pour trouver votre glycémie moyenne pour les 2 à 3 derniers mois. Votre médecin vous donnera la fréquence de l\'effectuation de ces tests. + Surveiller combien de glucides vous consommez peut être aussi important que de surveiller votre niveau de sang, puisque les glucides influent sur le taux de glucose dans le sang. Parlez à votre médecin ou votre diététicien de l\'apport en glucides. + Le contrôle de la pression artérielle, le cholestérol et le taux de triglycérides est important car les diabétiques sont sensibles à des risques cardiaques. + Il y a plusieurs approches de régime alimentaire, que vous pouvez adopter pour manger sainement et en aidant à améliorer les résultats de votre diabète. Demandez conseil à votre diététicien sur ce qui fonctionnera le mieux pour vous et votre budget. + Faire de l\'exercice régulièrement est encore plus important chez les diabétiques et vous aidera à garder un poids sain. Parlez à votre médecin des exercices qui seraient les plus adaptés pour vous. + La privation de sommeil peut vous pousser à manger plus, et plus particulièrement des cochonneries, et peut donc impacter négativement sur votre santé. Assurez-vous d\'avoir une bonne nuit réparatrice et consultez un spécialiste du sommeil si vous éprouvez des difficultés. + Le stress peut avoir un impact négatif sur le diabète, discutez avec votre médecin ou avec d\'autres professionnels de santé pour savoir comment gérer le stress. + Afin de prévenir tout apparition soudaine de problème de santé, quand on est diabétique, il est important de prendre rendez-vous avec son médecin, au moins une fois par an, et d\'échanger avec tout au long de l\'année. + Prenez vos médicaments tels qu\'ils vous ont été prescrits, même les légers écarts peuvent impacter votre glycémie et provoquer d\'autres effets secondaires. Si vous avez des difficultés à mémoriser le rythme et les doses, n\'hésitez pas à demander à votre médecin des outils pour vous aider à créer des rappels. + + + Les personnes diabétiques plus âgées ont un risque plus élevé d\'avoir des problèmes de santé liés au diabète. Discutez avec votre médecin pour connaître le rôle de votre âge dans votre diabète et savoir ce qu\'il faut surveiller. + Limitez la quantité de sel utilisée pour cuisiner et celle ajoutée aux plats après la cuisson. + + Assistant + METTRE A JOUR + OK, COMPRIS + SOUMETTRE UN RETOUR + AJOUTER LECTURE + Mise à jour de votre poids + Assurez-vous de mettre à jour votre poids afin Glucosio contient les informations les plus exactes. + Update your research opt-in + Vous pouvez toujours activer ou désactiver le partage pour la recherche sur le diabète, mais rappelez vous que les données partagées sont entièrement anonyme. Nous partageons seulement les données démographiques et le niveau de glucose. + Créer des catégories + Glucosio comprend des catégories par défaut pour l\'entrée de glucose mais vous pouvez créer des catégories personnalisées dans paramètres pour assortir vos besoins uniques. + Vérifiez souvent + Glucosio assistant fournit des conseils réguliers et va continuer à améliorer, il faut donc toujours vérifier ici pour des actions utiles, que vous pouvez prendre pour améliorer votre expérience de Glucosio et pour d\'autres conseils utiles. + Envoyer un commentaire + Si vous trouvez des problèmes techniques ou avez des commentaires sur Glucosio nous vous encourageons à nous les transmettre dans le menu réglages afin de nous aider à améliorer Glucosio. + Ajouter une lecture + N\'oubliez pas d\'ajouter régulièrement vos lectures de glucose, donc nous pouvons vous aider à suivre votre taux de glucose dans le temps. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Gamme préférée + Gamme personnalisée + Valeur minimum + Valeur maximum + Essayez Maintenant + diff --git a/app/src/main/res/values-fra-rDE/google-playstore-strings.xml b/app/src/main/res/values-fra-rDE/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-fra-rDE/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-fra-rDE/strings.xml b/app/src/main/res/values-fra-rDE/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-fra-rDE/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-frp-rIT/google-playstore-strings.xml b/app/src/main/res/values-frp-rIT/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-frp-rIT/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-frp-rIT/strings.xml b/app/src/main/res/values-frp-rIT/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-frp-rIT/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-fur-rIT/google-playstore-strings.xml b/app/src/main/res/values-fur-rIT/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-fur-rIT/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-fur-rIT/strings.xml b/app/src/main/res/values-fur-rIT/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-fur-rIT/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-fy-rNL/google-playstore-strings.xml b/app/src/main/res/values-fy-rNL/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-fy-rNL/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-fy-rNL/strings.xml b/app/src/main/res/values-fy-rNL/strings.xml new file mode 100644 index 00000000..c32fef96 --- /dev/null +++ b/app/src/main/res/values-fy-rNL/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Ynstellingen + Weromkeppeling ferstjoere + Oersjoch + Skiednis + Tips + Hallo. + Hallo. + Brûksbetingsten. + Ik ha de brûksbetingsten lêzen en akseptearre + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Lân + Aldens + Please enter a valid age. + Geslacht + Man + Frou + Oar + Diabetestype + Type 1 + Type 2 + Foarkarsienheid + Share anonymous data for research. + You can change these in settings later. + FOLGJENDE + OAN DE SLACH + No info available yet. \n Add your first reading here. + Bloedsûkerspegel tafoegje + Konsintraasje + Datum + Tiid + Metten + Foar it moarnsiten + Nei it moarnsiten + Foar it middeisiten + Nei it middeisiten + Foar it jûnsiten + Nei it jûnsiten + Algemien + Opnij kontrolearje + Nacht + Oar + ANNULEARJE + TAFOEGJE + Please enter a valid value. + Please fill all the fields. + Fuortsmite + Bewurkje + 1 útlêzing fuortsmiten + ÛNGEDIEN MEITSJE + Lêste kontrôle: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + Oer + Ferzje + Brûksbetingsten + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistint + NO BYWURKJE + OK, GOT IT + WEROMKEPPELING FERSTJOERE + ÚTLÊZING TAFOEGJE + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Kategoryen meitsje + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Sjoch hjir regelmjittich + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Weromkeppeling ferstjoere + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + In útlêzing tafoegje + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-ga-rIE/google-playstore-strings.xml b/app/src/main/res/values-ga-rIE/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-ga-rIE/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-ga-rIE/strings.xml b/app/src/main/res/values-ga-rIE/strings.xml new file mode 100644 index 00000000..909f8424 --- /dev/null +++ b/app/src/main/res/values-ga-rIE/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Socruithe + Aiseolas + Foramharc + Stair + Leideanna + Dia dhuit. + Dia dhuit. + Téarmaí Úsáide. + Léigh mé na Téarmaí Úsáide agus glacaim leo + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + Cúpla rud beag sula dtosóimid. + Tír + Aois + Cuir aois bhailí isteach. + Inscne + Fireannach + Baineannach + Eile + Cineál diaibéitis + Cineál 1 + Cineál 2 + Do rogha aonaid + Comhroinn sonraí gan ainm le haghaidh taighde. + Is féidir leat iad seo a athrú ar ball sna socruithe. + AR AGHAIDH + TÚS MAITH + Níl aon eolas ar fáil fós. \n Cuir do chéad tomhas anseo. + Tomhais Leibhéal Glúcós Fola + Tiúchan + Dáta + Am + Tomhaiste + Roimh bhricfeasta + Tar éis bricfeasta + Roimh lón + Tar éis lóin + Roimh shuipéar + Tar éis suipéir + Ginearálta + Seiceáil arís + Oíche + Eile + CEALAIGH + OK + Cuir luach bailí isteach. + Líon isteach na réimsí go léir. + Scrios + Eagar + Scriosadh tomhas amháin + CEALAIGH + Tomhas is déanaí: + Treocht le linn na míosa seo caite: + sa raon sláintiúil + + + Seachtain + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + Maidir Leis + Leagan + Téarmaí Úsáide + Cineál + Meáchan + Catagóir saincheaptha + + Ith tuilleadh bia úr neamhphróiseáilte chun ionghabháil carbaihiodráití agus siúcra a laghdú. + Léigh an fhaisnéis bheathaithe ar bhia agus deochanna pacáistithe chun ionghabháil carbaihiodráití agus siúcra a rialú. + I mbialann, ordaigh iasc nó feoil ghríosctha gan im nó ola bhreise. + I mbialann, fiafraigh an bhfuil béilí beagshóidiam acu. + I mbialann, ith an méid céanna bia a d\'íosfá sa mbaile agus tabhair an fuílleach abhaile. + I mbialann, iarr rudaí beagchalraí, mar shampla anlanna sailéid, fiú mura bhfuil siad ar an mbiachlár. + I mbialann, iarr bia sláintiúil in ionad bia mhíshláintiúil, mar shampla glasraí (sailéad, pónairí glasa, nó brocailí) in ionad sceallóga. + I mbialann, seachain bia aránaithe nó friochta. + I mbialann, ordaigh anlann, súlach, nó blastán \"ar an taobh\". + Ní chiallaíonn \"gan siúcra\" nach bhfuil siúcra ann i gcónaí! Ciallaíonn sé níos lú ná 0.5 gram siúcra sa riar, mar sin níor chóir duit an iomarca rudaí \"gan siúcra\" a ithe. + Cabhraíonn meáchan sláintiúil leat siúcraí fola a rialú. Téigh i gcomhairle le do dhochtúir, le bia-eolaí, agus le traenálaí chun plean cailliúna meáchan a leagan amach. + Foghlaim faoin tionchar a imríonn bia agus stíl mhaireachtála ar do shláinte trí do leibhéal glúcós fola a thomhas faoi dhó sa lá i nGlucosio nó in aip eile dá leithéid. + Déan tástáil fola chun teacht ar do mheánleibhéal siúcra fola le 2 nó 3 mhí anuas. Inseoidh do dhochtúir duit cé chomh minic is a bheidh ort an tástáil fola seo a dhéanamh. + Tá sé an-tábhachtach d\'ionghabháil carbaihiodráití a thaifeadadh, chomh tábhachtach le leibhéal glúcós fola, toisc go n-imríonn carbaihiodráití tionchar ar ghlúcós fola. Bíodh comhrá agat le do dhochtúir nó le bia-eolaí maidir le hionghabháil carbaihiodráití. + Tá sé tábhachtach do bhrú fola, leibhéal colaistéaróil agus leibhéil tríghlicríde a srianadh, toisc go bhfuil daoine diaibéiteacha tugtha do ghalar croí. + Tá roinnt réimeanna bia ann a chabhródh leat bia níos sláintiúla a ithe agus dea-thorthaí sláinte a bhaint amach. Téigh i gcomhairle le bia-eolaí chun teacht ar an réiteach is fearr ó thaobh sláinte agus airgid. + Tá sé ríthábhachtach do dhaoine diaibéiteacha aclaíocht rialta a dhéanamh, agus cabhraíonn sé leat meáchan sláintiúil a choinneáil. Bíodh comhrá agat le do dhochtúir faoi réim aclaíochta fheiliúnach. + Nuair a bhíonn easpa codlata ort, itheann tú níos mó, go háirithe mearbhia agus bia beagmhaitheasa, rud a chuireann isteach ar do shláinte. Déan iarracht go leor codlata a fháil, agus téigh i gcomhairle le saineolaí codlata mura bhfuil tú in ann. + Imríonn strus drochthionchar ar dhaoine diaibéiteacha. Bíodh comhrá agat le do dhochtúir nó le gairmí cúram sláinte faoi conas is féidir déileáil le strus. + Tá sé an-tábhachtach cuairt a thabhairt ar do dhochtúir uair amháin sa mbliain agus cumarsáid rialta a dhéanamh leis/léi tríd an mbliain sa chaoi nach mbuailfidh fadhbanna sláinte ort go tobann. + Tóg do chógas leighis go díreach mar a bhí sé leagtha amach ag do dhochtúir. Má ligeann tú do chógas i ndearmad, fiú uair amháin, b\'fhéidir go n-imreodh sé drochthionchar ar do leibhéal glúcós fola. Mura bhfuil tú in ann do chóir leighis a mheabhrú, cuir ceist ar do dhochtúir faoi chóras bainistíochta cógais. + + + Seans go bhfuil baol níos mó ag baint le diaibéiteas i measc daoine níos sine. Bíodh comhrá agat le do dhochtúir faoin tionchar ag aois ar do dhiaibéiteas agus na comharthaí sóirt is tábhachtaí. + Cuir srian leis an méid salainn a úsáideann tú ar bhia le linn cócarála agus tar éis duit é a chócaráil. + + Cúntóir + NUASHONRAIGH ANOIS + TUIGIM + SEOL AISEOLAS + TOMHAS NUA + Nuashonraigh do mheáchan + Ba chóir duit do mheáchan a choinneáil cothrom le dáta sa chaoi go mbeidh an t-eolas is fearr ag Glucosio. + Athraigh an socrú a bhaineann le taighde + Is féidir leat do chuid sonraí a chomhroinnt le taighdeoirí atá ag obair ar dhiaibéiteas, go hiomlán gan ainm, nó comhroinnt a stopadh am ar bith. Ní chomhroinnimid ach faisnéis dhéimeagrafach agus treochtaí leibhéil glúcóis. + Cruthaigh catagóirí + Tagann Glucosio le catagóirí réamhshocraithe le haghaidh ionchurtha glúcóis, ach is féidir leat catagóirí de do chuid féin a chruthú sna socruithe. + Féach anseo go minic + Tugann Cúntóir Glucosio leideanna duit go rialta, agus rachaidh sé i bhfeabhas de réir a chéile. Mar sin, ba chóir duit filleadh anseo anois is arís le gníomhartha agus leideanna úsáideacha a fháil. + Seol aiseolas + Má fheiceann tú aon fhadhb theicniúil, nó más mian leat aiseolas faoi Glucosio a thabhairt dúinn, is féidir é sin a dhéanamh sa roghchlár Socruithe, chun cabhrú linn Glucosio a fheabhsú. + Tomhas nua + Ba chóir duit do leibhéal glúcos fola a thástáil go rialta sa chaoi go mbeidh tú in ann an leibhéal a leanúint thar thréimhse ama. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Raon inmhianaithe + Raon saincheaptha + Íosluach + Uasluach + BAIN TRIAIL AS + diff --git a/app/src/main/res/values-gaa-rGH/google-playstore-strings.xml b/app/src/main/res/values-gaa-rGH/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-gaa-rGH/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-gaa-rGH/strings.xml b/app/src/main/res/values-gaa-rGH/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-gaa-rGH/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-gd-rGB/google-playstore-strings.xml b/app/src/main/res/values-gd-rGB/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-gd-rGB/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-gd-rGB/strings.xml b/app/src/main/res/values-gd-rGB/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-gd-rGB/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-gl-rES/google-playstore-strings.xml b/app/src/main/res/values-gl-rES/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-gl-rES/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-gl-rES/strings.xml b/app/src/main/res/values-gl-rES/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-gl-rES/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-gn-rPY/google-playstore-strings.xml b/app/src/main/res/values-gn-rPY/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-gn-rPY/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-gn-rPY/strings.xml b/app/src/main/res/values-gn-rPY/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-gn-rPY/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-gu-rIN/google-playstore-strings.xml b/app/src/main/res/values-gu-rIN/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-gu-rIN/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-gu-rIN/strings.xml b/app/src/main/res/values-gu-rIN/strings.xml new file mode 100644 index 00000000..e0b74af4 --- /dev/null +++ b/app/src/main/res/values-gu-rIN/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + સેટીંગ્સ + પ્રતિસાદ મોકલો + ઓવરવ્યૂ + ઇતિહાસ + સુજાવ + હેલ્લો. + હેલ્લો. + વપરાશ ની શરતો. + હું વપરાશની શરતો વાંચીને સ્વીકાર કરું છુ + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + દેશ + ઉંમર + કૃપા કરી સાચી ઉમર નાખો. + જાતિ + પુરૂષ + સ્ત્રી + અન્ય + મધુપ્રમેહનો પ્રકાર + પ્રકાર 1 + પ્રકાર 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + કૃપા કરી સાચી માહિતી ભરો. + કૃપા કરી બધી વિગતો ભરો. + રદ કરવું + ફેરફાર કરો + 1 વાંચેલું કાઢ્યું + પહેલા હતી એવી સ્થિતિ + છેલ્લી ચકાસણી: + ગયા મહિના નું સરવૈયું: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + હમમ, સમજાઈ ગયું + પ્રતિક્રિયા મોકલો + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + પ્રતિક્રિયા મોકલો + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-gv-rIM/google-playstore-strings.xml b/app/src/main/res/values-gv-rIM/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-gv-rIM/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-gv-rIM/strings.xml b/app/src/main/res/values-gv-rIM/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-gv-rIM/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-ha-rHG/google-playstore-strings.xml b/app/src/main/res/values-ha-rHG/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-ha-rHG/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-ha-rHG/strings.xml b/app/src/main/res/values-ha-rHG/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-ha-rHG/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-haw-rUS/google-playstore-strings.xml b/app/src/main/res/values-haw-rUS/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-haw-rUS/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-haw-rUS/strings.xml b/app/src/main/res/values-haw-rUS/strings.xml new file mode 100644 index 00000000..7fa326e3 --- /dev/null +++ b/app/src/main/res/values-haw-rUS/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Kauna + Hoʻouna i ka manaʻo + Nānā wiki + Mōʻaukala + ʻŌlelo hoʻohani + Aloha mai. + Aloha mai. + Nā Kuleana hana. + Ua heluhelu a ʻae au i nā Kuleana hana + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + Makemake mākou i mau mea iki ma mua o ka hoʻomaka ʻana. + ʻĀina + Makahiki + E kikokiko i ka makahiki kūpono ke ʻoluʻolu. + Keka + Kāne + Wahine + Nā Mea ʻē aʻe + Ke ʻAno Mimi kō + Ke ʻAno 1 + Ke ʻAno 2 + Ke Ana makemake + Share anonymous data for research. + Hiki iā ʻoe ke hoʻololi i kēia makemake ma hope aku. + Holomua + HOʻOMAKA ʻANA + ʻAʻohe ʻike ma ʻaneʻi i kēia manawa. \n Hoʻohui i kāu heluhelu mua ma ʻaneʻi. + Hoʻohui i ke Ana Monakō Koko + Ke Ana paʻapūhia + + Hola + Wā i ana ʻia + Ma mua o ka ʻaina kakahiaka + Ma hope o ka ʻaina kakahiaka + Ma mua o ka ʻaina awakea + Ma hope o ka ʻaina awakea + Ma mua o ka ʻaina ahiahi + Ma hope o ka ʻaina ahiahi + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Holoi + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Mana + Nā Kuleana hana + Ke ʻAno + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Haku i nā māhele + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + E hoʻi pinepine + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Hoʻouna i ka manaʻo + Inā loaʻa i ka pilikia ʻoe a i ʻole loaʻa iā ʻoe ka manaʻo no Glucosio, hoʻopaipai mākou i ka waiho ʻana o ia mea āu i ka papa kauna i hiki mākou ke holomua iā Glucosio. + Hoʻohui i ka heluhelu + E hoʻohui pinepine i kou mau heluhelu monakō i hiki mākou ke kōkua i ka nānā ʻana o kou ana monakō ma o ka manawa holomua. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-hi-rIN/google-playstore-strings.xml b/app/src/main/res/values-hi-rIN/google-playstore-strings.xml new file mode 100644 index 00000000..45ee4ed6 --- /dev/null +++ b/app/src/main/res/values-hi-rIN/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + शर्करा + शर्करा मधुमेह के साथ लोगों के लिए एक उपयोगकर्ता केंद्रित स्वतंत्र और खुला स्रोत अनुप्रयोग है + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + पर किसी भी कीड़े, मुद्दों, या सुविधा का अनुरोध दायर करें: + https://github.com/glucosio/android + अधिक जानकारी: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-hi-rIN/strings.xml b/app/src/main/res/values-hi-rIN/strings.xml new file mode 100644 index 00000000..fd1df0cc --- /dev/null +++ b/app/src/main/res/values-hi-rIN/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + सेटिंग + प्रतिक्रिया भेजें + अवलोकन + इतिहास + झुकाव + नमस्ते. + नमस्ते. + उपयोग की शर्तें. + मैंने पढ़ा है और उपयोग की शर्तों को स्वीकार कर लिया है + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + हम तो बस आप पहले शुरू हो रही कुछ जल्दी चीजों की जरूरत है. + देश + आयु + एक वैध उम्र में दर्ज करें. + लिंग + नर + महिला + अन्य + मधुमेह टाइप + श्रेणी 1 + श्रेणी 2 + पसंदीदा इकाई + अनुसंधान के लिए गुमनाम डेटा साझा करें. + आप बाद में सेटिंग में इन बदल सकते हैं. + अगला + शुरू हो जाओ + अभी तक उपलब्ध नहीं है जानकारी. \n यहां अपने पहले पढ़ने जोड़ें. + रक्त शर्करा के स्तर को जोड़ें + एकाग्रता + तारीख + समय + मापा + नाश्ते से पहले + नाश्ते के बाद + दोपहर के भोजन से पहले + दोपहर के भोजन के बाद + रात के खाने से पहले + रात के खाने के बाद + सामान्य + पुनः जाँच + रात + अन्य + रद्द + जोड़ें + कृपया कोई मान्य मान दर्ज करें. + सभी क्षेत्रों को भरें. + हटाना + संपादित + 1 पढ़ने हटाए गए + पूर्ववत + अंतिम जांच: + पिछले एक महीने में रुझान: + सीमा और स्वस्थ में + माह + दिन + सप्ताह + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + के बारे में + संस्करण + उपयोग की शर्तें + टाइप + वजन + कस्टम माप श्रेणी + + कार्बोहाइड्रेट और चीनी का सेवन कम करने में मदद करने के लिए और अधिक ताजा, असंसाधित खाद्य पदार्थ का सेवन करें. + चीनी और कार्बोहाइड्रेट का सेवन को नियंत्रित करने के डिब्बाबंद खाद्य पदार्थ और पेय पदार्थों पर पोषण लेबल पढ़ें. + जब बाहर खा रहे हो, तब बिना अतिरिक्त मक्खन या तेल से भूने मांस या मछली के लिये पूछिये। + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + सहायक + अभी अद्यतन करें + ठीक मिल गया + प्रतिक्रिया सबमिट करें + पढ़ना जोड़ें + अपने वजन को अपडेट करें + Make sure to update your weight so Glucosio has the most accurate information. + अपने अनुसंधान में ऑप्ट अद्यतन + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + श्रेणियों बनाएँ + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + यहाँ अक्सर चेक + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + प्रतिक्रिया सबमिट करें + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + एक पढ़ने जोड़ें + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + पसंदीदा श्रेणी + कस्टम श्रेणी + न्यूनतम मूल्य + अधिकतम मूल्य + अब यह कोशिश करो + diff --git a/app/src/main/res/values-hil-rPH/google-playstore-strings.xml b/app/src/main/res/values-hil-rPH/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-hil-rPH/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-hil-rPH/strings.xml b/app/src/main/res/values-hil-rPH/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-hil-rPH/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-hmn-rCN/google-playstore-strings.xml b/app/src/main/res/values-hmn-rCN/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-hmn-rCN/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-hmn-rCN/strings.xml b/app/src/main/res/values-hmn-rCN/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-hmn-rCN/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-ho-rPG/google-playstore-strings.xml b/app/src/main/res/values-ho-rPG/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-ho-rPG/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-ho-rPG/strings.xml b/app/src/main/res/values-ho-rPG/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-ho-rPG/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-hr-rHR/google-playstore-strings.xml b/app/src/main/res/values-hr-rHR/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-hr-rHR/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-hr-rHR/strings.xml b/app/src/main/res/values-hr-rHR/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-hr-rHR/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-hsb-rDE/google-playstore-strings.xml b/app/src/main/res/values-hsb-rDE/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-hsb-rDE/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-hsb-rDE/strings.xml b/app/src/main/res/values-hsb-rDE/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-hsb-rDE/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-ht-rHT/google-playstore-strings.xml b/app/src/main/res/values-ht-rHT/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-ht-rHT/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-ht-rHT/strings.xml b/app/src/main/res/values-ht-rHT/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-ht-rHT/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-hu-rHU/google-playstore-strings.xml b/app/src/main/res/values-hu-rHU/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-hu-rHU/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-hu-rHU/strings.xml b/app/src/main/res/values-hu-rHU/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-hu-rHU/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-hy-rAM/google-playstore-strings.xml b/app/src/main/res/values-hy-rAM/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-hy-rAM/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-hy-rAM/strings.xml b/app/src/main/res/values-hy-rAM/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-hy-rAM/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-hz-rNA/google-playstore-strings.xml b/app/src/main/res/values-hz-rNA/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-hz-rNA/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-hz-rNA/strings.xml b/app/src/main/res/values-hz-rNA/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-hz-rNA/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-ig-rNG/google-playstore-strings.xml b/app/src/main/res/values-ig-rNG/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-ig-rNG/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-ig-rNG/strings.xml b/app/src/main/res/values-ig-rNG/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-ig-rNG/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-ii-rCN/google-playstore-strings.xml b/app/src/main/res/values-ii-rCN/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-ii-rCN/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-ii-rCN/strings.xml b/app/src/main/res/values-ii-rCN/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-ii-rCN/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-ilo-rPH/google-playstore-strings.xml b/app/src/main/res/values-ilo-rPH/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-ilo-rPH/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-ilo-rPH/strings.xml b/app/src/main/res/values-ilo-rPH/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-ilo-rPH/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-in-rID/google-playstore-strings.xml b/app/src/main/res/values-in-rID/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-in-rID/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-in-rID/strings.xml b/app/src/main/res/values-in-rID/strings.xml new file mode 100644 index 00000000..0fefd9e9 --- /dev/null +++ b/app/src/main/res/values-in-rID/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Pengaturan + Kirim umpan balik + Ikhtisar + Riwayat + Kiat + Halo. + Halo. + Ketentuan Penggunaan. + Saya telah membaca dan menerima syarat penggunaan + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + Kami hanya perlu beberapa hal sebelum Anda bisa mulai. + Negara + Umur + Mohon masukkan umur valid. + Gender + Laki-laki + Perempuan + Lainnya + Tipe diabetes + Tipe 1 + Tipe 2 + Unit utama + Berbagi data anonim untuk riset. + Anda dapat mengganti ini nanti di pengaturan. + BERIKUTNYA + MEMULAI + No info available yet. \n Add your first reading here. + Tambah Kadar Glukosa Darah + Konsentrasi + Tanggal + Waktu + Terukur + Sebelum sarapan + Setelah sarapan + Sebelum makan siang + Setelah makan siang + Sebelum makan malam + Setelah makan malam + Umum + Recheck + Malam + Other + BATAL + TAMBAH + Please enter a valid value. + Mohon lengkapi semua isian. + Hapus + Edit + 1 bacaan dihapus + URUNG + Periksa terakhir: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + Tentang + Versi + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-is-rIS/google-playstore-strings.xml b/app/src/main/res/values-is-rIS/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-is-rIS/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-is-rIS/strings.xml b/app/src/main/res/values-is-rIS/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-is-rIS/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-it-rIT/google-playstore-strings.xml b/app/src/main/res/values-it-rIT/google-playstore-strings.xml new file mode 100644 index 00000000..14519a29 --- /dev/null +++ b/app/src/main/res/values-it-rIT/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio è un app focalizzata sugli utenti, gratuita e opensource per persone affette da diabete + Usando Glucosio, puoi inserire e tracciare i livelli di glicemia, supportare anonimamente la ricerca sul diabete attraverso la condivisione anonima dell\'andamento della glicemia e di dati demografici e ottenere consigli utili attraverso il nostro assistente. Glucosio rispetta la tua privacy e avrai sempre il controllo dei tuoi dati. + * Focalizzata sull\'utente. Glucosio è progettata con funzionalità e un design che risponde alle necessità degli utenti e siamo costantemente aperti a suggerimenti per migliorare. + * Open Source. Glucosio ti dà la libertà di usare, copiare, studiare e modificare il codice sorgente di una qualsiasi delle nostre applicazioni ed eventualmente contrubuire al progetto stesso. + * Gestisci i dati. Glucosio ti consente di tracciare e gestire i tuoi dati sul diabete tramite un\'interfaccia intuitiva e moderna, costruita seguendo i consigli ricevuti da diabetici. + *Aiuta la ricerca. Glucosio offre agli utenti l\'opzione di acconsentire all\'invio anonimo di dati sul diabete e informazioni demografiche e di condividerli con i ricercatori. + Si prega di inviare eventuali bug, problemi o richieste di nuove funzionalità a: + https://github.com/glucosio/android + Più dettagli: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-it-rIT/strings.xml b/app/src/main/res/values-it-rIT/strings.xml new file mode 100644 index 00000000..8489cb42 --- /dev/null +++ b/app/src/main/res/values-it-rIT/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Impostazioni + Invia feedback + Riepilogo + Cronologia + Suggerimenti + Ciao. + Ciao. + Condizioni d\'uso. + Ho letto e accetto le condizioni d\'uso + I contenuti del sito web e dell\'applicazione Glucosio, come testo, grafici, immagini e altro materiale (\"Contenuti\") sono a scopo puramente informativo. Le informazioni non sono da considerarsi come sostitutive di consigli medici professionali, diagnosi o trattamenti terapeutici. Noi incoraggiamo gli utenti di Glucosio a chiedere sempre il parere del proprio medico curante o di personale qualificato su qualsiasi domanda tu abbia inerente una condizione medica. Mai ignorare i consigli di una consulenza medica professionale o ritardarne la ricerca a causa di qualcosa letta nel sito web di Glucosio o nella nostra applicazione. Il sito web di Glucosio, Blog, Wiki e altri contenuti accessibili dovrebbero essere usati solo per gli scopi sopra descritti. \n In affidamento su qualsiasi informazione fornita da Glucosio, dai membri del team di Glucosio, volontari o altri che appaiono nel sito web o applicazione, usale a tuo rischio e pericolo. Il Sito Web e i contenuti sono forniti su base \"così com\'è\". + Abbiamo solo bisogno di un paio di cose veloci prima di iniziare. + Nazione + Età + Inserisci una età valida. + Sesso + Maschio + Femmina + Altro + Tipo di diabete + Tipo 1 + Tipo 2 + Unità preferita + Condividi i dati anonimi per la ricerca. + Puoi cambiare queste impostazioni dopo. + SUCCESSIVO + INIZIAMO + Nessuna informazione disponibile. \n Aggiungi la tua prima lettura qui. + Aggiungi livello di Glucosio nel sangue + Concentrazione + Data + Ora + Misurato + Prima di colazione + Dopo colazione + Prima di pranzo + Dopo pranzo + Prima della cena + Dopo cena + Generale + Ricontrollare + Notte + Altro + ANNULLA + AGGIUNGI + Inserisci un valore valido. + Per favore compila tutti i campi. + Cancella + Modifica + 1 lettura cancellata + ANNULLA + Ultimo controllo: + Tendenza negli ultimi mesi: + nello standard e sano + Mese + Giorno + Settimana + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + Informazioni + Versione + Termini di utilizzo + Tipo + Peso + Categoria personalizzata + + Mangiare più alimenti freschi, non trasformati aiuta a ridurre l\'assunzione dei carboidrati e degli zuccheri. + Leggere l\'etichetta nutrizionale su alimenti confezionati e bevande per controllare l\'assunzione di zuccheri e carboidrati. + Quando mangi fuori, chiedi pesce o carne alla griglia senza aggiunta di burro o olio. + Quando mangi fuori, chiedi se hanno piatti a basso contenuto di sodio. + Quando mangi fuori, mangia le stesse porzioni che mangeresti a casa e portati via gli avanzi. + Quando mangi fuori ordina elementi con basso contenuto calorico, come condimenti per insalata, anche se non sono disponibili in menu. + Quando mangi fuori chiedi dei sostituti. Al posto di patatine fritte, richiedi una doppia porzione di verdure ad esempio insalata, fagioli o broccoli. + Quando mangi fuori, ordina alimenti non impanati o fritti. + Quando mangi fuori chiedi per le salse, sugo e condimenti per insalate \"a parte.\" + Senza zucchero non significa davvero senza zuccheri aggiunti. Vuol dire 0,5 grammi (g) di zucchero per porzione, quindi state attenti a non indulgere in molti articoli senza zuccheri. + Mantenere un peso nella norma, aiuta a controllare gli zuccheri nel sangue. Il tuo medico, un dietista o un istruttore di fitness può aiutarti a iniziare un piano di lavoro adatto a te che funziona. + Controllare la glicemia e tenerne traccia in un applicazione come Glucosio due volte al giorno, ti aiuterà ad essere consapevole dei risultati e delle scelte alimentari e dello stile di vita. + Esegui esami dell\'emoglobina glicata (HbA1c) per stabilire i valori medi di glicemia degli ultimi 2 o 3 mesi. Il tuo medico dovrebbe dirti quanto spesso sarà necessario eseguire quest\'esame. + Tener traccia del consumo dei carboidrati può essere importante come il controllo della glicemia, in quanto i carboidrati influenzano i livelli di glucosio nel sangue. Parla con il tuo medico o nutrizionista dell\'assunzione dei carboidrati. + Controllare la pressione sanguigna, il colesterolo e i trigliceridi è importante poiché i diabetici sono più a rischio di malattie cardiache. + Ci sono diversi approcci di dieta che puoi affrontare mangiando più sano e contribuendo a migliorare i tuoi risultati diabetici. Chiedere il parere di un dietologo su cosa funziona meglio per te e il tuo budget. + Fare esercizio fisico regolarmente è particolarmente importante per i diabetici e può aiutare a mantenere un peso sano. Parla con un medico degli esercizi che sono più adatti al tuo caso. + L\'insonnia può farti mangiare molto più del necessario: cibi spazzatura possono avere un impatto negativo sulla tua salute. Migliora la qualità del tuo sonno e consulta uno specialista se riscontri difficoltà. + Lo stress può avere un impatto negativo sul diabete, parla con il tuo medico o altri operatori sanitari per far fronte allo stress. + Prenotare una visita dal tuo medico almeno una volta l\'anno e avere comunicazioni regolari durante tutto l\'anno è importante per i diabetici per prevenire qualsiasi improvvisa insorgenza di problemi di salute associati. + Prendi i farmaci come prescritti dal tuo medico, anche piccole variazioni possono incidere sul tuo livello di glucosio e causare effetti collaterali. Se hai difficoltà a ricordare chiedi al tuo medico come gestire i farmaci. + + + I diabetici di lunga data potrebbero avere un alto rischio di complicanze associate al diabete. Parla con il tuo medico su come l\'età giochi un ruolo nel tuo diabete e come monitorare questi rischi. + Limita la quantità di sale che usi per cucinare e che aggiungi ai pasti dopo la cottura. + + Assistente + AGGIORNA ORA + OK, CAPITO + INVIA FEEDBACK + AGGIUNGI UNA MISURAZIONE + Aggiorna il tuo peso + Aggiorna il peso regolarmente così Glucosio ha le informazioni più accurate. + Aggiorna la tua scelta di mandare il tuoi dati in modo anonimo ai gruppo di ricerca + Puoi sempre acconsentire o meno alla condivisione dei dati a favore della ricerca sul diabete, ma ricorda che tutti i dati condivisi sono completamente anonimi. Condividiamo solo dati demografici e le tendenze dei livelli di glucosio. + Crea categorie + Glucosio ha delle categorie di default per l\'immissione dei valori di glucosio, ma puoi creare categorie personalizzate nelle impostazioni per soddisfare le tue necessità. + Controllare spesso qui + L\'assistente di Glucosio fornisce constanti suggerimenti e continuerà a migliorare, perciò controlla sempre qui azioni che possono migliorare la tua esperienza d\'uso di Glucosio e altri utili consigli. + Invia feedback + Se trovi eventuali problemi tecnici o hai feedback su Glucosio ti invitiamo a segnalarli nel menu impostazioni, al fine di aiutarci a migliorare Glucosio. + Aggiungi una lettura + Assicurati di aggiungere regolarmente le letture della tua glicemia, così possiamo aiutarti a monitorare i livelli di glucosio nel corso del tempo. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Intervallo desiderato + Intervallo personalizzato + Valore minimo + Valore massimo + PROVALO ORA + diff --git a/app/src/main/res/values-iu-rNU/google-playstore-strings.xml b/app/src/main/res/values-iu-rNU/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-iu-rNU/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-iu-rNU/strings.xml b/app/src/main/res/values-iu-rNU/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-iu-rNU/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-iw-rIL/google-playstore-strings.xml b/app/src/main/res/values-iw-rIL/google-playstore-strings.xml new file mode 100644 index 00000000..1ed08674 --- /dev/null +++ b/app/src/main/res/values-iw-rIL/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio הוא יישום בקוד פתוח עבור אנשים עם סוכרת + בזמן השימוש ב Glucosio אתם יכולים לעקוב אחר רמות הסוכר בדם, לתמוך במחקר הסוכרת באופן יעיל באמצעות שיתוף מידע אנונימי. Glucosio מכבדת את הפרטיות שלך ושומרת על פרטי המידע שלך. + Glucosio נבנה לשימוש היוצר עם אפרויות ועיצוב מותאמים אישית. אנחנו פתוחים ומשוב וחוות דעת לשיפור. + * קוד פתוח. אפליקציות Glucosio נותנת לכם את החופש להשתמש, להעתיק, ללמוד, ולשנות את קוד המקור של כל האפליקציות שלנו, וגם לתרום לפרויקט Glucosio. + * ניהול נתונים. Glucosio מאפשר לכם לעקוב אחר נתוני הסוכרת בממשק אינטואיטיבי, מודרני אשר נבנה על בסיס משוב של חולי סוכרת. + * תומך מחקר. Glucosio apps מאפשר למשתמשים להצטרף ולשתף נתונים אנונימיים ומידע דמוגרפי עם חוקרי סוכרת. + אנא דווחו על באגים ו\או הצעות לאפשרויות חדשות ולשיפורים ב: + https://github.com/glucosio/android + פרטים נוספים: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-iw-rIL/strings.xml b/app/src/main/res/values-iw-rIL/strings.xml new file mode 100644 index 00000000..98748e9e --- /dev/null +++ b/app/src/main/res/values-iw-rIL/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + הגדרות + שלח משוב + מבט על + היסטוריה + הצעות + שלום. + שלום. + תנאי שימוש + קראתי ואני מסכים לתנאי השימוש + התכנים של אתר Glucosio, יישומים, כגון טקסט, גרפיקה, תמונות, חומר אחר (\"תוכן\") הן למטרות שיתוף מידע \ אינפורמציה בלבד. התוכן לא נועד לשמש כתחליף לייעוץ רפואי, אבחון או טיפול מוסמך. אנו ממליצים למשתמשי Glucosio תמיד להתייעץ עם הרופא שלך או ספק שירותי בריאות מוסמכים אחרים על כל שאלה לגבי מצבך רפואי. לעולם אל תמנע או תתעכב במציאת ייעוץ רפואי מוסמך בגלל משהו שקראת באתר Glucosio או ביישומים שלנו. אתר האינטרנט Glucosio, הבלוג, הויקי וכל תוכן אחר באתר האינטרנט (\"האתר\") אמור לשמש רק לצרכים המתוארים לעיל. \n הסתמכות על כל מידע המסופק על ידי Glucosio, חברי צוות האתר, או מתנדבים אחרים המופיעים באתר או ביישומים שלנו הוא באחריות המשתמש בלבד. האתר והתוכן הינם מסופקים על בסיס כהוא וללא אחריות. + אנא מלא את הפרטים הבאים בשביל להתחיל. + מדינה + גיל + אנא הזן גיל תקין. + מין + זכר + נקבה + אחר + סוג סוכרת + סוכרת סוג 1 + סוכרת סוג 2 + יחידת מדידה מעודפת + שתף מידע אנונימי למחקר. + תוכלו לשנות את ההגדרות האלו מאוחר יותר. + הבא + התחל + אין מידע זמין כעט.\n הוסף את קריאת המדדים הראשונה שלך כאן. + הוסף רמת סוכר הדם + ריכוז + תאריך + שעה + זמן מדידה + לפני ארוחת בוקר + לאחר ארוחת הבוקר + לפני ארוחת הצהריים + לאחר ארוחת הצהריים + לפני ארוחת הערב + לאחר ארוחת הערב + כללי + בדוק מחדש + לילה + אחר + ביטול + להוסיף + אנא הזינו ערך תקין. + אנא מלאו את כל השדות. + למחוק + ערוך + מדידה אחת נמחקה + בטל + בדיקה אחרונה: + המגמה בחודש האחרון: + בטווח ובריא + חודש + יום + שבוע + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + אודות + גרסה + תנאי שימוש + סוג + משקל + קטגורית מדידה מותאמת אישית + + אכול יותר מזון טרי ולא מעובד כדי לצמצם את צריכת הפחמימות והסוכר. + קרא את התוויות תזונתיות על מזונות ארוזים ומשקאות בכדי לשלוט בצריכת הפחמימות והסוכר. + כאשר אתם אוכלים בחוץ, בקשו דג או בשר צלוי ללא תוספת חמאה או שמן. + כאשר אוכלים בחוץ, תשאלו אם יש להם מנות עם מעט אן בלי נתרן. + כאשר אוכלים בחוץ, איכלו את אותו גודל המנות שתאכלו בבית, וקחו את השאריות ללכת. + כאשר אוכלים בחוץ בקשו מזונות מעוטי קלוריות, כגון רטבים לסלט, אפילו אם הם לא בתפריט. + כאשר אוכלים בחוץ בקשו החלפות. במקום צ\'יפס, בקשו כמות כפולה של ירק כמו סלט, שעועית ירוקה או ברוקולי. + כאשר אתם אוכלים בחוץ, הזמינו מזונות ללא ציפוי לחם או טיגון. + כאשר אתם אוכלים בחוץ בקשו רטבים, ורטבים לסלט \"בצד.\" + \"ללא סוכר\" לא באמת אומר ללא סוכר. בד\"כ זה אומר 0.5 גרם סוכר למנה, היזהרו לא לאכל יותר מדי פריטים \"ללא סוכר\". + הגעה אל משקל תקין מסייעת בשליטה על רמת הסוכרים בדם. הרופא שלך, דיאטן, ומאמן כושר יעזרו לך בלבנות תוכנית אישית לירידה ושמירה על משקל תקין. + בדיקת רמת סוכר הדם ומעקב תכוף באפליקציה כמו Glucosio פעמיים ביום, יעזור לך להיות מודע לגבי התוצאות של בחירות במזון ואורח בחיים שלך. + בצעו בדיקת דם A1c כדי לגלות את רמת הסוכר הממוצעת שלכם ל 2-3 חודשים האחרונים. הרופא שלכם יוכל לוודא באיזו תדירות יש צורך שתבצעו את הבדיקה הזו. + מעקב אחר צריכת הפחמימות שלכם יכולה להיות לא פחות חשובה מבדיקת רמות סוכר הדם שלכם, מאחר ופחמימות משפיעות על רמות הסוכר בדם. דברו עם הרופא שלכם או דיאטנית לגבי צריכת הפחמימות. + שליטה בלחץ הדם, הכולסטרול, ורמת הטריגליצרידים חשוב מכיוון שסוכרתיים נמצאים בסיכון גבוה יותר למחלות לב. + ישנן מספר גישות דיאטה שניתן לנקוט כדי לאכול בריא יותר ולסייע לשפר את מצב הסוכרת שלכם. התייעצו עם רופא או דיאטנית על הגישות המתאימות לכם ולתקציב שלכם. + פעילות גופנית סדירה חשובה במיוחד בשביל סוכרתיים ותורמת לשמירה על משקל תקין. התייעצו עם רופא על תרגילים ותוכניות אימון שיתאימו לכם. + מחסור בשינה עלול לגרום לרעב מוגבר ואכילת יתר ובמיוחד \"ג\'אנק-פוד\". מצב שעלול להשפיע לרעה על בריאותכם. הקפידו על שנת לילה טובה ופנו להתייעצות עם רופא או מומחה שינה אם אתם חווים קשיים בשינה. + לחץ יכול להוות השפעה שלילית על הסוכרת. התייעצו עם רופא או מומחה לגבי התמודדות עם לחצים. + ביקור שנתי וששימור תקשורת קבועה עם הרופא שלכם זה כלי חשוב למניעת התפרצויות פתאומיות ומניעת בעיות בריאותיות נלוות. + קחו את התרופות כנדרש על ידי הרופא. אפילו מעידות קטנות עלולות להשפיע על רמת הסוכר בדם וגרימת תופעות נלוות. אם אתם חווים קשיים לזכור לקחת את התרופות שלכם, התייעצו עם רופא לגבי ניהול לו\"ז תרופות ותזכורות. + + + חולי סוכרת מבוגרים עלולים להיות בסיכון גבוה יותר לבעיות בריאות הקשורים בסוכרת. התייעצו עם רופא על איך בגילכם ממלאת תפקיד הסכרת שלכם ולמה עליכם לצפות. + הגבל את כמות המלח בבישול ובארוחה. + + מסייע + עדכון + אוקיי + שלח משוב + הוסף מדידה + עדכן את משקלך + הקפד לעדכן את המשקל שלך כך שב-Glucosio יהיה את המידע המדויק ביותר. + עדכון שיתוף מידע למחקר (opt-in) + אתם יכוליםלהסכים להצטרף (opt-in) או לבטל (opt-out) שיתוף מידע למחקר, אבל זיכרו, כל הנתונים המשותפים הוא אנונימיים לחלוטין. אנחנו רק חולקים מידע דמוגרפי ואת רמת ומגמת הגלוקוז. + צור קטגוריות + Glucosio מגיע עם קטגוריות ברירת המחדל עבור קלט רמת הגלוקוז, אך באפשרותך ליצור קטגוריות מותאמות אישית הגדרות כדי להתאים לצרכים הייחודיים שלך. + בדוק כאן לעיתים קרובות + העוזר ב-Glucosio מספק עצות קבועות לשמור על שיפור, בידקו בתכיפות לגבי שימושי פעולות שבאפשרותך לבצע כדי לשפר את החוויה Glucosio שלך, טיפים שימושיים נוספים. + שלח משוב + אם אתם מוצאים כל בעיות טכניות או לקבל משוב אודות Glucosio אנו מעודדים אותך להגיש את זה בתפריט \' הגדרות \' כדי לסייע לנו לשפר את Glucosio. + הוסף מדידה + הקפד להוסיף באופן קבוע את מדידות רמת הסוכר בדם שלך כדי שנוכל לעזור לך לעקוב אחר רמות הסוכר שלך לאורך זמן. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + טווח מועדף + טווח מותאם אישית + ערך מינימום + ערך מקסימום + נסה זאת עכשיו + diff --git a/app/src/main/res/values-ja-rJP/google-playstore-strings.xml b/app/src/main/res/values-ja-rJP/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-ja-rJP/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-ja-rJP/strings.xml b/app/src/main/res/values-ja-rJP/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-ja-rJP/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-jbo-rEN/google-playstore-strings.xml b/app/src/main/res/values-jbo-rEN/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-jbo-rEN/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-jbo-rEN/strings.xml b/app/src/main/res/values-jbo-rEN/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-jbo-rEN/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-ji-rDE/google-playstore-strings.xml b/app/src/main/res/values-ji-rDE/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-ji-rDE/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-ji-rDE/strings.xml b/app/src/main/res/values-ji-rDE/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-ji-rDE/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-jv-rID/google-playstore-strings.xml b/app/src/main/res/values-jv-rID/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-jv-rID/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-jv-rID/strings.xml b/app/src/main/res/values-jv-rID/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-jv-rID/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-ka-rGE/google-playstore-strings.xml b/app/src/main/res/values-ka-rGE/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-ka-rGE/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-ka-rGE/strings.xml b/app/src/main/res/values-ka-rGE/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-ka-rGE/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-kg-rCG/google-playstore-strings.xml b/app/src/main/res/values-kg-rCG/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-kg-rCG/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-kg-rCG/strings.xml b/app/src/main/res/values-kg-rCG/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-kg-rCG/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-kj-rAO/google-playstore-strings.xml b/app/src/main/res/values-kj-rAO/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-kj-rAO/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-kj-rAO/strings.xml b/app/src/main/res/values-kj-rAO/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-kj-rAO/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-kk-rKZ/google-playstore-strings.xml b/app/src/main/res/values-kk-rKZ/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-kk-rKZ/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-kk-rKZ/strings.xml b/app/src/main/res/values-kk-rKZ/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-kk-rKZ/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-kl-rGL/google-playstore-strings.xml b/app/src/main/res/values-kl-rGL/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-kl-rGL/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-kl-rGL/strings.xml b/app/src/main/res/values-kl-rGL/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-kl-rGL/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-km-rKH/google-playstore-strings.xml b/app/src/main/res/values-km-rKH/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-km-rKH/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-km-rKH/strings.xml b/app/src/main/res/values-km-rKH/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-km-rKH/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-kmr-rTR/google-playstore-strings.xml b/app/src/main/res/values-kmr-rTR/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-kmr-rTR/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-kmr-rTR/strings.xml b/app/src/main/res/values-kmr-rTR/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-kmr-rTR/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-kn-rIN/google-playstore-strings.xml b/app/src/main/res/values-kn-rIN/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-kn-rIN/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-kn-rIN/strings.xml b/app/src/main/res/values-kn-rIN/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-kn-rIN/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-ko-rKR/google-playstore-strings.xml b/app/src/main/res/values-ko-rKR/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-ko-rKR/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-ko-rKR/strings.xml b/app/src/main/res/values-ko-rKR/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-ko-rKR/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-kok-rIN/google-playstore-strings.xml b/app/src/main/res/values-kok-rIN/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-kok-rIN/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-kok-rIN/strings.xml b/app/src/main/res/values-kok-rIN/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-kok-rIN/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-ks-rIN/google-playstore-strings.xml b/app/src/main/res/values-ks-rIN/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-ks-rIN/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-ks-rIN/strings.xml b/app/src/main/res/values-ks-rIN/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-ks-rIN/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-ku-rTR/google-playstore-strings.xml b/app/src/main/res/values-ku-rTR/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-ku-rTR/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-ku-rTR/strings.xml b/app/src/main/res/values-ku-rTR/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-ku-rTR/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-kv-rKO/google-playstore-strings.xml b/app/src/main/res/values-kv-rKO/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-kv-rKO/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-kv-rKO/strings.xml b/app/src/main/res/values-kv-rKO/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-kv-rKO/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-kw-rGB/google-playstore-strings.xml b/app/src/main/res/values-kw-rGB/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-kw-rGB/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-kw-rGB/strings.xml b/app/src/main/res/values-kw-rGB/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-kw-rGB/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-ky-rKG/google-playstore-strings.xml b/app/src/main/res/values-ky-rKG/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-ky-rKG/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-ky-rKG/strings.xml b/app/src/main/res/values-ky-rKG/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-ky-rKG/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-la-rLA/google-playstore-strings.xml b/app/src/main/res/values-la-rLA/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-la-rLA/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-la-rLA/strings.xml b/app/src/main/res/values-la-rLA/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-la-rLA/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-lb-rLU/google-playstore-strings.xml b/app/src/main/res/values-lb-rLU/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-lb-rLU/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-lb-rLU/strings.xml b/app/src/main/res/values-lb-rLU/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-lb-rLU/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-lg-rUG/google-playstore-strings.xml b/app/src/main/res/values-lg-rUG/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-lg-rUG/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-lg-rUG/strings.xml b/app/src/main/res/values-lg-rUG/strings.xml new file mode 100644 index 00000000..cde93df5 --- /dev/null +++ b/app/src/main/res/values-lg-rUG/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Setingi + Werezza obubaka + Overview + Ebyafayo + Obubonero + Hallo. + Gyebale. + Endagano ye Enkozesa + Mazze okusoma atte nzikiriza Endagano Z\'enkozesa + Ebintu ebiri ku mutingabagano ne appu za Glucosio, nga ebigambo, grafikis, ebifananyi ne ebintu ebikozesebwa ebirala byona (\"Ebintu\") bya kusoma kwoka. Ebintu bino tebigendereddwa ku kuzesebwa mu kifo ky\'obubaka bwe ddwaliro obukugu, okeberwa oba obujanjjabi. Tuwaniriza abakozesa Glucosio buli kaseera okunonya obubaka obutufu obwo omusawo oba omujanjabi omulala omukugu ng\'obabuza ebibuzo byona byoyina ebikwatagana n\'ekirwadde kyona. Togana nga bubaka bw\'abasawo abakugu oba n\'olwawo okubunonya lwakuba oyina byosomye ku mutinbagano gwa Glucosio oba mu appu z\'affe. Omutinbagano, bulogo, Wiki n\'engeri endala ez\'okukatimbe (\"Omutinbagano\") biyina okozesebwa mungeri y\'oka nga wetugambye wangulu.\n Okweyunira ku bubaka obuwerebwa Glucosio, ba memba ba tiimu ya Glucosio, bamuzira-kisa nabalala abana beera ku mutinbagano oba mu appu zaffe mukikola ku bulabe bwamwe. Omutinbagano N\'ebiriko biwerebwa nga bwebiri. + Twetagayo ebintu bitono nga tetunakuyamba kutandika. + Ensi + Emyaka + Tusoba oyingizemu emyaka emitufu. + Gender + Musajja + Mukazi + Endala + Ekika kya Sukali + Ekika Ekisoka + Ekika Eky\'okubiri + Empima Gy\'oyagala + Gaba obubaka bwa risaaki nga tekuli manya. + Osobola okukyusa setingi zino edda. + EKIDAKO + TANDIKA + Tewanabawo bubaka. \n Gatta esomayo esooka wano. + Gata levo ya Sukari ali mu Musaayi wano + Obukwafu + Olunaku + Essawa + Ebipimiddwa + Nga tonanywa kyayi + Ng\'omazze kyayi + Nga tonala ky\'emisana + Ng\'omazze okulya eky\'emisana + Nga tonalya ky\'eggulo + Ng\'omazze okulya eky\'eggulo + General + Ddamu okebere + Ekiro + Ebirala + SAZAMU + GATAKO + Tusaba oyingizemu enukutta entufu. + Tusaba ojuzzemu amabanga gona. + Sazamu + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-li-rLI/google-playstore-strings.xml b/app/src/main/res/values-li-rLI/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-li-rLI/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-li-rLI/strings.xml b/app/src/main/res/values-li-rLI/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-li-rLI/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-lij-rIT/google-playstore-strings.xml b/app/src/main/res/values-lij-rIT/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-lij-rIT/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-lij-rIT/strings.xml b/app/src/main/res/values-lij-rIT/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-lij-rIT/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-ln-rCD/google-playstore-strings.xml b/app/src/main/res/values-ln-rCD/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-ln-rCD/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-ln-rCD/strings.xml b/app/src/main/res/values-ln-rCD/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-ln-rCD/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-lo-rLA/google-playstore-strings.xml b/app/src/main/res/values-lo-rLA/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-lo-rLA/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-lo-rLA/strings.xml b/app/src/main/res/values-lo-rLA/strings.xml new file mode 100644 index 00000000..4d6bec01 --- /dev/null +++ b/app/src/main/res/values-lo-rLA/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + ຕັ້ງຄ່າ + ສົ່ງຂໍ້ຄິດເຫັນ + ພາບລວມ + ປະຫວັດ + ເຄັດລັບ + ສະບາຍດີ. + ສະບາຍດີ. + ເງື່ອນໄຂການໃຊ້. + ຂ້ອຍໄດ້ອ່ານ ແລະ ຍອມຮັບເງື່ອນໄຂການນຳໃຊ້ແລ້ວ + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + ປະເທດ + ອາຍຸ + ກະລຸນາປ້ອນອາຍຸທີ່ຖືກຕ້ອງ. + ເພດ + ຜູ້ຊາຍ + ຜູ້ຫຍິງ + ອື່ນໆ + ປະເພດຂອງພະຍາດເບົາຫວານ + ປະເພດທີ່ 1 + ປະເພດທີ່ 2 + ຫົວຫນ່ວຍທີ່ທ່ານມັກ + ແບ່ງປັນຂໍ້ມູນທີ່ບໍລະບູຊືສໍາລັບການຄົ້ນຄວ້າ. + ທ່ານສາມາດປ່ຽນແປງໃນການຕັ້ງຄ່າຕາມຫລັງ. + ຕໍ່ໄປ + ເລີ່ມຕົ້ນນຳໃຊ້ເລີຍ + ຍັງບໍ່ມີຂໍ້ຫຍັງເທື່ອ. \n ເພີ່ມການອ່ານທຳອິດຂອງທ່ານເຂົ້າໃນນີ້. + ເພີ່ມລະດັບເລືອດ Glucose + ຄວາມເຂັ້ມຂຸ້ນ + ວັນທີ່ + ເວລາ + ການວັດແທກ + ຫລັງຮັບປະທ່ານອາຫານເຊົ້າ + ກ່ອນຮັບປະທ່ານອາຫານເຊົ້າ + ຫລັງຮັບປະທ່ານອາຫານທ່ຽງ + ກ່ອນຮັບປະທ່ານອາຫານທ່ຽງ + ຫລັງຮັບປະທ່ານອາຫານຄຳ + ກ່ອນຮັບປະທ່ານອາຫານຄຳ + ທົ່ວໄປ + ກວດຄືນ + ຕອນກາງຄືນ + ອື່ນໆ + ອອກ + ເພີ່ມ + ກະລຸນາໃສ່ຄ່າຂໍ້ມູນທີ່ຖືກຕ້ອງ. + ກະລຸນາຕື່ມໃສ່ໃຫ້ຄົບທຸກຫ້ອງ. + ລຶບ + ແກ້ໄຂ + 1 reading deleted + ເອົາກັບຄືນ + ກວດສອບຄັ້ງຫຼ້າສຸດ: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + ກ່ຽວກັບ + ຫລູ້ນ + ເງື່ອນໄຂການໃຊ້ + ປະເພດ + Weight + Custom measurement category + + ຮັບປະທານອາຫານສົດໆເພື່ອຊ່ວຍລຸດປະລິມານທາດນໍ້ຕານ ແລະ ແປ້ງ. + ອ່ານປ້າຍທາງໂພຊະນາການຢູ່ກ່ອງອາຫານ ແລະ ເຄື່ອງດື່ມໃນການຄວບຄຸມທາດນ້ຳຕານ ແລະ ທາດແປ້ງ. + ເວລາທີ່ໄປຮັບປະທານອາຫານນອກບ້ານຂໍໃຫ້ສັງປີ້ງປາ ຫລື ຊີ້ນທີ່ບໍ່ມີເນີຍ ຫລື ນໍ້າມັນ. + ເວລາທີ່ໄປຮັບປະທານອາຫານນອກບ້ານໃຫ້ຖາມເບິງອາຫານທີ່ມີທາດໂຊດຽມຕຳ. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + ຜູ້ຊ່ວຍ + ອັບເດດຕອນນີ້ເລີຍ + Ok, ເຂົ້າໃຈແລ້ວ + ສົ່ງຄໍາຄິດເຫັນ + ເພີ່ມການອ່ານ + ອັບເດດນ້ຳຫນັກຂອງທ່ານ + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + ສົ່ງຄໍາຄິດເຫັນ + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + ເພີ່ມການອ່ານ + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-lt-rLT/google-playstore-strings.xml b/app/src/main/res/values-lt-rLT/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-lt-rLT/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-lt-rLT/strings.xml b/app/src/main/res/values-lt-rLT/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-lt-rLT/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-luy-rKE/google-playstore-strings.xml b/app/src/main/res/values-luy-rKE/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-luy-rKE/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-luy-rKE/strings.xml b/app/src/main/res/values-luy-rKE/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-luy-rKE/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-lv-rLV/google-playstore-strings.xml b/app/src/main/res/values-lv-rLV/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-lv-rLV/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-lv-rLV/strings.xml b/app/src/main/res/values-lv-rLV/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-lv-rLV/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-mai-rIN/google-playstore-strings.xml b/app/src/main/res/values-mai-rIN/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-mai-rIN/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-mai-rIN/strings.xml b/app/src/main/res/values-mai-rIN/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-mai-rIN/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-me-rME/google-playstore-strings.xml b/app/src/main/res/values-me-rME/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-me-rME/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-me-rME/strings.xml b/app/src/main/res/values-me-rME/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-me-rME/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-mg-rMG/google-playstore-strings.xml b/app/src/main/res/values-mg-rMG/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-mg-rMG/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-mg-rMG/strings.xml b/app/src/main/res/values-mg-rMG/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-mg-rMG/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-mh-rMH/google-playstore-strings.xml b/app/src/main/res/values-mh-rMH/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-mh-rMH/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-mh-rMH/strings.xml b/app/src/main/res/values-mh-rMH/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-mh-rMH/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-mi-rNZ/google-playstore-strings.xml b/app/src/main/res/values-mi-rNZ/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-mi-rNZ/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-mi-rNZ/strings.xml b/app/src/main/res/values-mi-rNZ/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-mi-rNZ/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-mk-rMK/google-playstore-strings.xml b/app/src/main/res/values-mk-rMK/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-mk-rMK/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-mk-rMK/strings.xml b/app/src/main/res/values-mk-rMK/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-mk-rMK/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-ml-rIN/google-playstore-strings.xml b/app/src/main/res/values-ml-rIN/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-ml-rIN/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-ml-rIN/strings.xml b/app/src/main/res/values-ml-rIN/strings.xml new file mode 100644 index 00000000..2c309d11 --- /dev/null +++ b/app/src/main/res/values-ml-rIN/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + സജ്ജീകരണങ്ങള്‍ + Send feedback + മേല്‍കാഴ്ച + നാള്‍വഴി + സൂത്രങ്ങള്‍ + നമസ്കാരം. + നമസ്കാരം. + ഉപയോഗനിബന്ധനകൾ. + ഞാൻ നിബന്ധനകൾ അംഗീകരിക്കുന്നു + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + രാജ്യം + വയസ്സു് + ഒരു സാധുതയുള്ള വയസ്സ് നൽകുക. + ലിംഗം + പുരുഷന്‍ + സ്ത്രീ + മറ്റുള്ളവ + പ്രമേഹത്തിന്റെ വിധം + ടൈപ്പു് 1 + ടൈപ്പു് 2 + ഉപയോഗിക്കേണ്ട ഏകകം + നിരീക്ഷണത്തിനായി വിവരങ്ങൾ നൽകുക. + ഇത് പിന്നീട് മാറ്റാവുന്നതാണു്. + അടുത്തത് + തുടങ്ങാം + ഒരു വിവരവും ലഭ്യമല്ല \n ആദ്യ നിരീക്ഷണം ചേർക്കുക. + രക്തത്തിലെ ഗ്ലൂക്കോസിന്റെ അളവു് ചേര്‍ക്കൂ + ഗാഢത + തീയതി + സമയം + അളന്നതു് + പ്രാതലിനു് മുമ്പു് + പ്രാതലിനു് ശേഷം + ഉച്ചയൂണിനു് മുമ്പു് + ഉച്ചയൂണിനു് ശേഷം + അത്താഴത്തിനു് മുമ്പു് + അത്താഴത്തിനു് ശേഷം + പൊതുവായത് + വീണ്ടും നോക്കുക + രാത്രി + മറ്റുള്ളവ + വേണ്ട + ചേര്‍ക്കൂ + ഒരു സാധുതയുള്ള മൂല്യം ചേർക്കുക. + ദയവായി എല്ലാ കോളങ്ങളും പൂരിപ്പിക്കുക. + നീക്കം ചെയ്യുക + മാറ്റം വരുത്തുക + 1 നിരീക്ഷണം മായിച്ചിരിക്കുന്നു + തിരുത്തുക + അവസാന നോട്ടം: + ഈ മാസത്തിലെ പോക്കു്: + പരിധിക്കുള്ളിൽ, ആരോഗ്യകരം + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + സംബന്ധിച്ച് + പതിപ്പ് + ഉപയോഗനിബന്ധനകൾ + തരം + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + സഹായി + ഇപ്പോൾ പുതുക്കുക + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-mn-rMN/google-playstore-strings.xml b/app/src/main/res/values-mn-rMN/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-mn-rMN/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-mn-rMN/strings.xml b/app/src/main/res/values-mn-rMN/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-mn-rMN/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-moh-rCA/google-playstore-strings.xml b/app/src/main/res/values-moh-rCA/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-moh-rCA/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-moh-rCA/strings.xml b/app/src/main/res/values-moh-rCA/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-moh-rCA/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-mr-rIN/google-playstore-strings.xml b/app/src/main/res/values-mr-rIN/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-mr-rIN/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-mr-rIN/strings.xml b/app/src/main/res/values-mr-rIN/strings.xml new file mode 100644 index 00000000..aaafd8eb --- /dev/null +++ b/app/src/main/res/values-mr-rIN/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + सेटिंग्स + प्रतिक्रिया पाठवा + सारांश + इतिहास + टिपा + नमस्कार. + नमस्कार. + वापराच्या अटी + मी वापराच्या अटी वाचल्या आहेत आणि त्या मान्य करतो + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + आपण सुरु करण्या आधी काही आम्हाला काही झटपट गोष्टी हव्या आहेत. + देश + वय + Please enter a valid age. + लिंग + पुरुष + महिला + इतर + मधुमेह + प्रकार १ + प्रकार २ + एककाचे प्राधान्य + Share anonymous data for research. + आपण नंतर ह्या सेटिंग्स मधे बदलु शकता. + पुढे + सुरुवात करा + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + दिनांक + वेळ + मोजले + न्याहारी आधी + न्याहारी नंतर + जेवणाआधी + जेवणानंतर + जेवणाआधी + जेवणानंतर + एकंदर + पुनःतपासा + रात्र + इतर + रद्द + जोडा + Please enter a valid value. + Please fill all the fields. + नष्ट + संपादन + 1 reading deleted + UNDO + शेवटची तपासणी: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + या बद्दल + आवृत्ती + वापराच्या अटी + प्रकार + वजन + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-ms-rMY/google-playstore-strings.xml b/app/src/main/res/values-ms-rMY/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-ms-rMY/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-ms-rMY/strings.xml b/app/src/main/res/values-ms-rMY/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-ms-rMY/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-mt-rMT/google-playstore-strings.xml b/app/src/main/res/values-mt-rMT/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-mt-rMT/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-mt-rMT/strings.xml b/app/src/main/res/values-mt-rMT/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-mt-rMT/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-my-rMM/google-playstore-strings.xml b/app/src/main/res/values-my-rMM/google-playstore-strings.xml new file mode 100644 index 00000000..9c114a1c --- /dev/null +++ b/app/src/main/res/values-my-rMM/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + အ​သေးစိတ်။ + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-my-rMM/strings.xml b/app/src/main/res/values-my-rMM/strings.xml new file mode 100644 index 00000000..e936c342 --- /dev/null +++ b/app/src/main/res/values-my-rMM/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + အပြင်အဆင်များ + အကြံပြုချက်​ပေးရန် + ခြုံငုံကြည့်ခြင်း + မှတ်တမ်း + အကြံပြုချက်များ + မင်္ဂလာပါ။ + မင်္ဂလာပါ။ + သုံးစွဲမှု စည်းကမ်းချက်များ + သုံးစွဲမှု စည်းကမ်းချက်များကို ဖတ်ရှုထားပါသည်။ ထို့ပြင် သဘောတူလက်ခံပါသည်။ + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + သင် စတင် အသုံးမပြုမီ လျင်မြန်စွာ ဆောင်ရွက်နိုင်သည့် အချက်အနည်းငယ် ဆောင်ရွက်ရန် လိုအပ်ပါသည်။ + နိုင်ငံ + အသက် + ကျေးဇူးပြု၍ မှန်ကန်သော အသက်ကို ဖြည့်ပါ။ + လိင် + ကျား + + အခြား + ဆီးချို အမျိုးအစား + အမျိုးအစား ၁ + အမျိုးအစား ၂ + အသုံးပြုလိုသော အတိုင်းအတာ + သုတေသနအတွက် အချက်အလက်ကို မျှဝေပါ (အမျိုးအမည် မဖော်ပြပါ)။ + သင် ဒီအရာကို အပြင်အဆင်များထဲတွင် ပြောင်းလဲနိုင်သည်။ + ရှေ့သို့ + စတင်မည် + မည်သည့်အချက်အလက်မျှ မရနိုင်သေးပါ။ \n သင့် ပထမဆုံး ပြန်ဆိုချက်ကို ဒီမှာ ထည့်ပါ။ + သွေးထဲရှိ အချိုဓါတ် အဆင့်ကို ဖြည့်ပါ + ဒြပ် ပါဝင်မှု + နေ့စွဲ + အချိန် + တိုင်းထွာပြီး + မနက်စာ မစားမီ + မနက်စာ စားပြီး + နေ့လည်စာ မစားမီ + နေ့လည်စာ စားပြီး + ညစာ မစားမီ + ညစာ စားပြီး + အထွေထွေ + ပြန်လည် စစ်ဆေးရန် + + အခြား + မလုပ်တော့ပါ + ထည့်ရန် + ကျေးဇူးပြု၍ မှန်ကန်သော တန်ဖိုးကို ဖြည့်ပါ။ + ကျေးဇူးပြု၍ ကွက်လပ်အားလုံးကို ဖြည့်ပေးပါ။ + ဖျက်ရန် + ပြင်ရန် + ပြန်ဆိုချက် ၁ ခု ဖျက်ပြီး + UNDO + နောက်ဆုံး စစ်ဆေးမှု။ + လွန်ခဲ့သော လ အတွက် ဦးတည်ချက်။ + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + အကြောင်း + ဗားရှင်း + သုံးစွဲမှု စည်းကမ်းချက်များ + အမျိုးအစား + ကိုယ်အ​လေးချိန် + စိတ်ကြိုက် တိုင်းထွာမှု အတန်းအစား + + ကစီဓါတ်နှင့် သကြားပါဝင်မှုကို လျှော့ချရန် လတ်ဆတ်သော၊ မပြုပြင် မစီရင်ထားသည့် အစားအစာများကို စားပါ။ + သကြားနှင့် ကစီပါဝင်မှုကို ထိန်းချုပ်ရန် ထုပ်ပိုးအစားအစာများနှင့် သောက်စရာများပေါ်ရှိ အာဟာရ အညွှန်းကို ဖတ်ပါ။ + ဆိုင်များတွင် စားသောက်လျှင် ထောပတ် သို့မဟုတ် ဆီ မသုံးပဲ ကင်ထားသည့် အသား သို့မဟုတ် ငါး ကို တောင်းဆိုပါ။ + ဆိုင်များတွင် စားသောက်လျှင် အငန်ဓါတ် ပါဝင်မှုနှုန်း နည်းသည့် ဟင်းလျာများ ရှိမရှိ မေးပါ။ + ဆိုင်များတွင် စားသောက်လျှင် အိမ်တွင် စားနေကျ ပမာဏအတိုင်း စားပါ။ မကုန်လျှင် အိမ်သို့ ထုပ်ပိုးသွားပါ။ + ဆိုင်များတွင် စားသောက်သောအခါ (အစားအသောက်စာရင်းတွင် မပါဝင်လျှင်တောင်မှ) အသီးအရွက်သုပ်ကဲ့သို့ ကယ်လိုရီနည်းသည့် အစားအသောက်များကို မှာစားပါ။ + ဆိုင်များတွင် စားသောက်သောအခါ အစားထိုးစားသောက်နိုင်သည်များကို မေးပါ။ ပြင်သစ်အာလူးကြော်အစား အသီးအရွက်သုပ်၊ ဗိုလ်စားပဲ သို့မဟုတ် ပန်းဂေါ်ဖီစိမ်းကဲ့သို့ အသီးအနှံ၊ ဟင်းသီးဟင်းရွက်ကို နှစ်ပွဲ မှာယူစားသုံးပါ။ + ဆိုင်များတွင် စားသောက်သောအခါ ဖုတ်ထားခြင်း၊ ကြော်လှော်ထားခြင်း မဟုတ်သည့် အစားအသောက်များကို မှာယူစားသုံးပါ။ + ဆိုင်များတွင် စားသောက်သောအခါ အချဉ်ရည်၊ ဟင်းနှစ်ရည်နှင့် အသုပ်ဆမ်း ဟင်းနှစ်ရည်တို့ကို ဟင်းရံအနေဖြင့် မေးမြန်းမှာယူပါ။ + သကြားမပါဝင်ပါ သည် တကယ်သကြားမပါဝင်ဟု မဆိုလိုပါ။ ၄င်းသည် တစ်ပွဲတွင် သကြား 0.5 ဂရမ် ပါဝင်သည်ဟု ဆိုလိုသည်။ ထို့ကြောင့် သကြားမပါဝင်ဟုဆိုသည့် အရာများကို လွန်လွန်ကျူးကျူး မစားသုံးမိရန် သတိပြုစေလိုပါသည်။ + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + သင်၏ဆရာဝန်နှင့် တစ်နှစ်တစ်ကြိမ် ပြသခြင်းနှင့် နှစ်ကုန်တိုင်း ပုံမှန် အဆက်အသွယ် ရှိနေခြင်းက ရုတ်တရက်ဖြစ်မည့် ကျန်းမာရေးပြဿနာများ ဖြစ်ခြင်းမှ ကာဖို့အတွက် အရေးကြီးသည်. + သင်၏ဆေးဝါးအတွင်းရှိ သေးငယ်သော ဆေးပမာဏသည်ပင်လျှင် သင်၏သွေး ဂလူးကို့စ် ပမာဏနှင့် အခြားသော ဘေးထွက်ဆိုးကျိုးများဖြစ်နိုင်သောကြောင့် ဆရာဝန်ညွှန်ကြားထားသည့်အတိုင်း ဆေးဝါးများကို သောက်သုံးပါ. မှတ်မိဖို့ ခက်ခဲပါက ဆေးဝါး စီမံခန့်ခွဲခြင်းနှင့် အသိပေးချက် အကြောင်းကို ဆရာဝန် ကို မေးပါ. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + အကူ + အခုပဲ အဆင့်မြှင့်ပါ + အိုကေ၊ ရပြီ + အကြံပြုချက် ပေးရန် + ပြန်ဆိုချက် ထည့်ရန် + သင့် ကိုယ်အလေးချိန်ကို ပြင်ရန် + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + အတန်းအစား ဖန်တီးရန် + ဂလူးကို့စ် အချက်အလက်အတွက် Glucosio က ပုံသေ ကဏ္ဍများဖြင့် ထည့်သွင်းထားပါသည် သို့ရာတွင် သင်၏လိုအပ်ချက်နှင့် ကိုက်ညီရန် စိတ်ကြိုက်ကဏ္ဍများကို အပြင်အဆင်များထဲတွင် ဖန်တီးနိုင်ပါသည်. + ဒီနေရာကို မကြာခဏ စစ်ဆေးပါ + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + အကြံပြုချက် ပေးပို့ရန် + နည်းပညာ အခက်အခဲများ သို့မဟုတ် Glucosio နှင့် ပတ်သက်၍ တုံ့ပြန်လိုပါက Glucosio ကို ပိုမိုကောင်းမွန်ဖို့ ကူညီရန် အပြင်အဆင် စာရင်းတွင် ကျွန်ုပ်တို့ကို ပေးပို့ပါ. + ပြန်ဆိုချက် တစ်ခု ထည့်ပါ + သင်၏ ဂလူးကို့စ် ဖတ်ခြင်းကို ပုံမှန် ဖြစ်အောင်လုပ်ပေးပါ အဲလိုဆိုရင် ကျွန်ုပ်တို့က သင်၏ဂလူးကို့စ် ပမာဏကို အချိန်တိုင်း စောင့်ကြည့်ဖို့ ကူညီမှာပါ. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + အနည်းဆုံး တန်ဖိုး + အများဆုံး တန်ဖိုး + TRY IT NOW + diff --git a/app/src/main/res/values-na-rNR/google-playstore-strings.xml b/app/src/main/res/values-na-rNR/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-na-rNR/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-na-rNR/strings.xml b/app/src/main/res/values-na-rNR/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-na-rNR/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-nb-rNO/google-playstore-strings.xml b/app/src/main/res/values-nb-rNO/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-nb-rNO/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-nb-rNO/strings.xml b/app/src/main/res/values-nb-rNO/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-nb-rNO/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-nds-rDE/google-playstore-strings.xml b/app/src/main/res/values-nds-rDE/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-nds-rDE/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-nds-rDE/strings.xml b/app/src/main/res/values-nds-rDE/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-nds-rDE/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-ne-rNP/google-playstore-strings.xml b/app/src/main/res/values-ne-rNP/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-ne-rNP/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-ne-rNP/strings.xml b/app/src/main/res/values-ne-rNP/strings.xml new file mode 100644 index 00000000..d1c77070 --- /dev/null +++ b/app/src/main/res/values-ne-rNP/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + सेटिङहरु + प्रतिक्रिया पठाउनुहोस् + सर्वेक्षण + इतिहास + सुझाव + नमस्कार। + नमस्कार। + उपयोग सर्तहरु। + मैले उपयोग सर्तहरु पढिसकेँ र स्वीकार गर्दछु + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + शुरुवात गर्नु अघि हामिलाई केहि कुराहरु चाहिनेछ। + देश + उमेर + कृपया ठिक उमेर हाल्नुहोला। + लिङ्ग + पुरुष + महिला + अन्य + मधुमेहको प्रकार + प्रकार १ + प्रकार २ + Preferred unit + Share anonymous data for research. + You can change these in settings later. + अर्को + शुरुवात गर्नुहोस्। + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + मिति + समय + नापिएको + बिहानी नाश्ता अघि + बिहानी नाश्ता पछि + खाजा अघि + खाजा पछि + रात्री भोजन अघि + रात्री भोजन पछि + साधारन + पुन:हेर्नुहोस् + रात्री + अन्य + रद्द + थप्नुहोस् + कृपया ठिक मान हाल्नुहोस्। + कृपया सबै क्षेत्रहरु भर्नुहोस्। + हटाउनुहोस + सम्पादन + एउटा हटाइयो + undo + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-ng-rNA/google-playstore-strings.xml b/app/src/main/res/values-ng-rNA/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-ng-rNA/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-ng-rNA/strings.xml b/app/src/main/res/values-ng-rNA/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-ng-rNA/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-nl-rNL/google-playstore-strings.xml b/app/src/main/res/values-nl-rNL/google-playstore-strings.xml new file mode 100644 index 00000000..dfc4cb73 --- /dev/null +++ b/app/src/main/res/values-nl-rNL/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is een gebruikersgerichte gratis en opensource-app voor mensen met diabetes + Door Glucosio te gebruiken kunt u bloedsuikerspiegels invoeren en bijhouden, anoniem diabetesonderzoek steunen door demografische en geanonimiseerde trends in glucosegehalten te delen, en nuttige tips verkrijgen via onze assistent. Glucosio respecteert uw privacy, en u houdt altijd de controle over uw gegevens. + * Gebruikersgericht. Glucosio-apps zijn gebouwd met functies en een ontwerp die aan de wens van de gebruiker voldoen, en we staan altijd open voor feedback ter verbetering. + * Open source. Glucosio-apps bieden de vrijheid om de broncode van al onze apps te gebruiken, kopiëren, bestuderen en te wijzigen en zelfs aan het Glucosio-project mee te werken. + * Gegevens beheren. Met Glucosio kunt u uw diabetesgegevens bijhouden en beheren vanuit een intuïtieve, moderne interface die met feedback van diabetici is gebouwd. + * Onderzoek steunen. Glucosio-apps bieden gebruikers de keuze te opteren voor het delen van geanonimiseerde diabetesgegevens en demografische info met onderzoekers. + Meld eventuele bugs, problemen of aanvragen voor functies op: + https://github.com/glucosio/android + Meer details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-nl-rNL/strings.xml b/app/src/main/res/values-nl-rNL/strings.xml new file mode 100644 index 00000000..33ca9d2c --- /dev/null +++ b/app/src/main/res/values-nl-rNL/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Instellingen + Feedback verzenden + Overzicht + Geschiedenis + Tips + Hallo. + Hallo. + Gebruiksvoorwaarden. + Ik heb de gebruiksvoorwaarden gelezen en geaccepteerd + De inhoud van de Glucosio-website en -apps, zoals tekst, afbeeldingen en ander materiaal (\'Inhoud\'), dient alleen voor informatieve doeleinden. De inhoud is niet bedoeld als vervanging voor professioneel medisch(e) advies, diagnose of behandeling. Gebruikers van Glucosio wordt aanbevolen bij eventuele vragen over een medische toestand altijd het advies van uw arts of andere gekwalificeerde gezondheidszorgverlener te raadplegen. Negeer nooit professioneel medisch advies en vermijd vertraging in het opvragen ervan omdat u iets op de Glucosio-website of in onze apps hebt gelezen. De Glucosio-website, -blog, -wiki en andere via een webbrowser toegankelijke inhoud (\'Website\') dienen alleen voor het hierboven beschreven doel te worden gebruikt.\n Het vertrouwen op enige informatie die door Glucosio, Glucosio-teamleden, vrijwilligers en anderen wordt aangeboden en op de website of in onze apps verschijnt, is geheel op eigen risico. De Website en de Inhoud worden op een ‘as is’-basis aangeboden. + We hebben even wat info nodig voordat u aan de slag kunt. + Land + Leeftijd + Voer een geldige leeftijd in. + Geslacht + Man + Vrouw + Overig + Type diabetes + Type 1 + Type 2 + Voorkeurseenheid + Anonieme gegevens delen voor onderzoek + U kunt dit later wijzigen in de instellingen. + VOLGENDE + AAN DE SLAG + Nog geen info beschikbaar. \n Voeg hier uw eerste uitlezing toe. + Bloedsuikerspiegel toevoegen + Concentratie + Datum + Tijd + Gemeten + Voor het ontbijt + Na het ontbijt + Voor de lunch + Na de lunch + Voor het avondeten + Na het avondeten + Algemeen + Opnieuw controleren + Nacht + Anders + ANNULEREN + TOEVOEGEN + Voer een geldige waarde in. + Vul alle velden in. + Verwijderen + Bewerken + 1 uitlezing verwijderd + ONGEDAAN MAKEN + Laatste controle: + Trend in afgelopen maand: + binnen bereik en gezond + Maand + Dag + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + Over + Versie + Gebruiksvoorwaarden + Type + Gewicht + Categorie met eigen metingen + + Eet meer vers, onverwerkt voedsel om inname van koolhydraten en suikers te verminderen. + Lees het voedingslabel op voorverpakt voedsel en drinkwaren om inname van suikers en koolhydraten te beheersen. + Als u buiten de deur eet, vraag dan om vis of vlees dat zonder extra boter of olie is gebakken. + Als u buiten de deur eet, vraag dan om zoutarme schotels. + Als u buiten de deur eet, hanteer dan dezelfde portiegroottes als dat u thuis zou doen en neem mee wat over is. + Als u buiten de deur eet, vraag dan om items met weinig calorieën, zoals saladedressings, zelfs als ze niet op het menu staan. + Als u buiten de deur eet, vraag dan om vervangingen. Vraag in plaats van patat om een dubbele portie van iets vegetarisch, zoals salade, sperziebonen of broccoli. + Als u buiten de deur eet, bestel dan voedsel dat niet is gepaneerd of gebakken. + Als u buiten de deur eet, vraag dan om sauzen, jus en saladedressings \'aan de zijkant\'. + Suikervrij betekent niet echt suikervrij. Het betekent 0,5 gram (g) suiker per portie, dus voorkom dat u zich met te veel suikervrije items verwent. + Streven naar een gezond gewicht helpt bloedsuikers te beheersen. Uw arts, een diëtist en een fitnesstrainer kunnen u op weg helpen met een schema dat voor u werkt. + Twee maal per dag controleren en bijhouden van uw bloedspiegel in een app als Glucosio helpt u bewust te worden van resultaten van keuzes in voedsel en levensstijl. + Vraag om A1c-bloedtests om achter uw gemiddelde bloedsuikerspiegel van de afgelopen 2 tot 3 maanden te komen. Uw arts kan vertellen hoe vaak deze test dient te worden uitgevoerd. + Bijhouden hoeveel koolhydraten u verbruikt kan net zo belangrijk zijn als het controleren van bloedspiegels, omdat koolhydraten bloedsuikerspiegels beïnvloeden. Praat met uw arts of een diëtist over de inname van koolhydraten. + Het beheersen van bloeddruk-, cholesterol- en triglyceridenniveaus is belangrijk, omdat diabetici gevoelig zijn voor hartziekten. + Er zijn diverse dieetbenaderingen die u kunt nemen om gezonder te eten en uw diabetesresultaten te verbeteren. Zoek advies bij een diëtist over wat het beste voor u en uw budget werkt. + Het werken aan regelmatige lichaamsbeweging is met name belangrijk voor mensen met diabetes en kan u helpen op gezond gewicht te blijven. Praat met uw arts over oefeningen die passend voor u zijn. + Slaaptekort kan ervoor zorgen dat u meer eet, met name dingen zoals junkfood, met als resultaat dat uw gezondheid negatief wordt beïnvloed. Zorg voor een goede nachtrust en raadpleeg een slaapspecialist als u hier moeite mee hebt. + Stress kan een negatieve invloed hebben op diabetes. Praat met uw arts of andere gezondheidsspecialist over omgaan met stress. + Eenmaal per jaar uw arts bezoeken en het hele jaar door communiceren is belangrijk voor diabetici om eventuele plotselinge aanvang van gerelateerde gezondheidsproblemen te voorkomen. + Neem uw medicijnen zoals door uw arts voorgeschreven; zelfs korte pauzes in uw medicijninname kunnen uw bloedsuikerspiegel beïnvloeden en andere bijwerkingen veroorzaken. Als u moeite hebt met het onthouden ervan, vraag dan uw arts om medicatiebeheer en herinneringsopties. + + + Oudere diabetici kunnen een hoger risico op aan diabetes gerelateerde gezondheidsproblemen lopen. Praat met uw arts over in hoeverre uw leeftijd een rol speelt in uw diabetes en waar u op moet letten. + Beperk de hoeveelheid zout die u gebruikt om voedsel te koken en die u aan maaltijden toevoegt nadat het is gekookt. + + Assistent + NU BIJWERKEN + OK, BEGREPEN + FEEDBACK VERZENDEN + UITLEZING TOEVOEGEN + Uw gewicht bijwerken + Zorg ervoor dat u uw gewicht bijwerkt, zodat Glucosio de meest accurate gegevens bevat. + Uw onderzoeks-opt-in bijwerken + U kunt altijd opteren voor het delen van diabetesonderzoeksgegevens, maar onthoud dat alle gedeelde gegevens volledig anoniem zijn. We delen alleen trends in demografie en glucosegehalten. + Categorieën maken + Glucosio bevat standaardcategorieën voor glucose-invoer, maar in de instellingen kunt u eigen categorieën maken die aan uw unieke behoeften voldoen. + Kijk hier regelmatig + Glucosio-assistent levert regelmatig tips en wordt continu verbeterd, dus kijk altijd hier voor nuttige acties die u kunt nemen om uw Glucosio-ervaring te verbeteren en voor andere nuttige tips. + Feedback verzenden + Als u technische problemen tegenkomt of feedback over Glucosio hebt, zien we graag dat u deze indient in het instellingenmenu om Glucosio te helpen verbeteren. + Een uitlezing toevoegen + Zorg ervoor dat u regelmatig uw glucose-uitlezingen toevoegt, zodat we kunnen helpen uw glucosegehalten in de loop der tijd bij te houden. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Voorkeursbereik + Aangepast bereik + Min. waarde + Max. waarde + NU PROBEREN + diff --git a/app/src/main/res/values-nn-rNO/google-playstore-strings.xml b/app/src/main/res/values-nn-rNO/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-nn-rNO/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-nn-rNO/strings.xml b/app/src/main/res/values-nn-rNO/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-nn-rNO/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-no-rNO/google-playstore-strings.xml b/app/src/main/res/values-no-rNO/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-no-rNO/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-no-rNO/strings.xml b/app/src/main/res/values-no-rNO/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-no-rNO/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-nr-rZA/google-playstore-strings.xml b/app/src/main/res/values-nr-rZA/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-nr-rZA/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-nr-rZA/strings.xml b/app/src/main/res/values-nr-rZA/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-nr-rZA/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-ns-rZA/google-playstore-strings.xml b/app/src/main/res/values-ns-rZA/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-ns-rZA/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-ns-rZA/strings.xml b/app/src/main/res/values-ns-rZA/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-ns-rZA/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-ny-rMW/google-playstore-strings.xml b/app/src/main/res/values-ny-rMW/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-ny-rMW/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-ny-rMW/strings.xml b/app/src/main/res/values-ny-rMW/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-ny-rMW/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-oc-rFR/google-playstore-strings.xml b/app/src/main/res/values-oc-rFR/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-oc-rFR/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-oc-rFR/strings.xml b/app/src/main/res/values-oc-rFR/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-oc-rFR/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-oj-rCA/google-playstore-strings.xml b/app/src/main/res/values-oj-rCA/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-oj-rCA/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-oj-rCA/strings.xml b/app/src/main/res/values-oj-rCA/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-oj-rCA/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-om-rET/google-playstore-strings.xml b/app/src/main/res/values-om-rET/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-om-rET/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-om-rET/strings.xml b/app/src/main/res/values-om-rET/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-om-rET/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-or-rIN/google-playstore-strings.xml b/app/src/main/res/values-or-rIN/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-or-rIN/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-or-rIN/strings.xml b/app/src/main/res/values-or-rIN/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-or-rIN/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-os-rSE/google-playstore-strings.xml b/app/src/main/res/values-os-rSE/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-os-rSE/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-os-rSE/strings.xml b/app/src/main/res/values-os-rSE/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-os-rSE/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-pa-rIN/google-playstore-strings.xml b/app/src/main/res/values-pa-rIN/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-pa-rIN/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-pa-rIN/strings.xml b/app/src/main/res/values-pa-rIN/strings.xml new file mode 100644 index 00000000..a211cb39 --- /dev/null +++ b/app/src/main/res/values-pa-rIN/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + ਸੈਟਿੰਗ + ਫੀਡਬੈਕ ਭੇਜੋ + ਸੰਖੇਪ ਜਾਣਕਾਰੀ + ਇਤਿਹਾਸ + ਨੁਕਤੇ + ਹੈਲੋ। + ਹੈਲੋ। + ਵਰਤੋਂ ਦੀਆਂ ਸ਼ਰਤਾਂ। + ਮੈਂ ਵਰਤੋਂ ਦੀਆਂ ਸ਼ਰਤਾਂ ਨੂੰ ਪੜ੍ਹਿਆ ਅਤੇ ਸਵੀਕਾਰ ਕਰਦਾ ਹਾਂ + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + ਤੁਹਾਨੂੰ ਸ਼ੁਰੂ ਕਰਵਾਉਣ ਤੋਂ ਪਹਿਲਾਂ ਸਾਨੂੰ ਸਿਰਫ਼ ਕੁੱਝ ਚੀਜ਼ਾਂ ਦੀ ਜ਼ਰੂਰਤ ਹੈ। + ਦੇਸ਼ + ਉਮਰ + ਕਿਰਪਾ ਕਰਕੇ ਸਹੀ ਉਮਰ ਦਰਜ ਕਰੋ। + ਲਿੰਗ + ਮਰਦ + ਔਰਤ + ਹੋਰ + ਸ਼ੂਗਰ ਦੀ ਕਿਸਮ + ਕਿਸਮ 1 + ਕਿਸਮ 2 + ਤਰਜੀਹੀ ਇਕਾਈ + ਖੋਜ ਲਈ ਗੁਮਨਾਮ ਡਾਟਾ ਸਾਂਝਾ ਕਰੋ। + ਬਾਅਦ ਵਿੱਚ ਸੈਟਿੰਗਾਂ ਵਿੱਚ ਤੁਸੀਂ ਇਸ ਨੂੰ ਬਦਲ ਸਕਦੇ ਹੋ। + ਅੱਗੇ + ਸ਼ੁਰੂ ਕਰੋ + ਹਾਲੇ ਕੋਈ ਜਾਣਕਾਰੀ ਉਪਲਬਧ ਨਹੀਂ।\n ਇੱਥੇ ਆਪਣੀ ਪਹਿਲੀ ਰਿਡਿੰਗ ਸ਼ਾਮਲ ਕਰੋ। + ਖੂਨ ਵਿੱਚ ਗਲੂਕੋਜ਼ ਦਾ ਪੱਧਰ ਸ਼ਾਮਲ ਕਰੋ + ਮਾਤਰਾ + ਮਿਤੀ + ਸਮਾਂ + ਮਾਪਿਆ + ਨਾਸ਼ਤੇ ਤੋਂ ਪਹਿਲਾਂ + ਨਾਸ਼ਤੇ ਤੋਂ ਬਾਅਦ + ਦੁਪਹਿਰ ਦੇ ਖਾਣੇ ਤੋਂ ਪਹਿਲਾਂ + ਦੁਪਹਿਰ ਦੇ ਖਾਣੇ ਤੋਂ ਬਾਅਦ + ਰਾਤ ਦੇ ਖਾਣੇ ਤੋਂ ਪਹਿਲਾਂ + ਰਾਤ ਦੇ ਖਾਣੇ ਤੋਂ ਬਾਅਦ + ਆਮ + ਮੁੜ-ਜਾਂਚ ਕਰੋ + ਰਾਤ + ਹੋਰ + ਰੱਦ ਕਰੋ + ਸ਼ਾਮਲ ਕਰੋ + ਕਿਰਪਾ ਕਰਕੇ ਇੱਕ ਸਹੀ ਮੁੱਲ ਦਰਜ ਕਰੋ। + ਕਿਰਪਾ ਕਰਕੇ ਸਾਰੀਆਂ ਥਾਵਾਂ ਭਰੋ। + ਹਟਾਓ + ਸੋਧ ਕਰੋ + 1 ਰੀਡਿੰਗ ਹਟਾਈ + ਵਾਪਸ + ਆਖਰੀ ਜਾਂਚ: + ਪਿਛਲੇ ਮਹੀਨਾ ਦਾ ਰੁਝਾਨ: + ਹੱਦ ਵਿੱਚ ਅਤੇ ਸਿਹਤਮੰਦ + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + ਬਾਰੇ + ਵਰਜਨ + ਸੇਵਾ ਦੀਆਂ ਸ਼ਰਤਾਂ + ਕਿਸਮ + ਭਾਰ + ਮਨਪਸੰਦ ਮਾਪ ਵਰਗ + + ਜ਼ਿਆਦਾ ਤਾਜ਼ਾ ਖਾਓ, ਅਣ-ਪ੍ਰੋਸੈਸਡ ਖਾਣਾ ਕਾਰਬੋਹਾਈਡਰੇਟ ਅਤੇ ਖੰਡ ਲੈਣਾ ਘਟਾਉਣ ਵਿੱਚ ਸਹਾਇਤਾ ਕਰਦਾ। + ਕਾਰਬੋਹਾਈਡਰੇਟ ਅਤੇ ਖੰਡ ਲੈਣਾ ਕਾਬੂ ਕਰਨ ਲਈ ਪੈਕ ਹੋਏ ਖਾਣਿਆਂ ਅਤੇ ਪੀਣ ਵਾਲੀਆਂ ਚੀਜ਼ਾਂ ਦੇ ਪੋਸ਼ਟਿਕ ਲੇਬਲ ਪੜ੍ਹੋ। + ਜਦੋਂ ਬਾਹਰ ਖਾਣਾ ਖਾਓ, ਮੱਛੀ ਜਾਂ ਮੀਟ ਨੂੰ ਜਿਆਦਾ ਮੱਖਣ ਜਾਂ ਤੇਲ ਦੇ ਬਿਨਾਂ ਭੁੱਜਣ ਲਈ ਕਹੋ। + ਜਦੋਂ ਬਾਹਰ ਖਾਣਾ ਖਾਓ, ਘੱਟ ਸੋਡੀਅਮ ਵਾਲੇ ਪਕਵਾਨਾਂ ਬਾਰੇ ਪੁੱਛੋ। + ਜਦੋਂ ਬਾਹਰ ਖਾਣਾ ਖਾਓ, ਓਨੇ ਹੀ ਆਕਾਰ ਦੇ ਹਿੱਸੇ ਖਾਓ ਜਿੰਨੇ ਤੁਸੀਂ ਘਰ ਖਾਂਦੇ ਹੋ ਅਤੇ ਬਾਕੀ ਨੂੰ ਆਪਣੇ ਨਾਲ ਲੈ ਜਾਓ। + ਜਦੋਂ ਬਾਹਰ ਖਾਓ ਤਾਂ ਘੱਟ-ਕੈਲੋਰੀ ਚੀਜ਼ਾਂ ਬਾਰੇ ਪੁੱਛੋ, ਜਿਵੇਂ ਸਲਾਦ ਚਟਨੀਆਂ, ਭਾਵੇਂ ਉਹ ਮੀਨੂੰ ਵਿੱਚ ਨਾ ਹੋਣ। + ਜਦੋਂ ਬਾਹਰ ਖਾਣਾ ਖਾਓ ਵਟਾਂਦਰੇ ਬਾਰੇ ਪੁੱਛੋ, ਜਿਵੇਂ ਕਿ ਫ੍ਰੈਂਚ ਫ੍ਰਾਈਜ਼ ਦੀ ਥਾਂ ਤੇ, ਸਬਜ਼ੀਆਂ ਦੇ ਸਲਾਦ ਜਿਵੇਂ ਹਰੀਆਂ ਫਲ੍ਹਿਆਂ ਜਾਂ ਗੋਭੀ ਦੇ ਡਬਲ ਆਰਡਰ ਦੀ ਬੇਨਤੀ ਕਰੋ। + ਜਦੋਂ ਬਾਹਰ ਖਾਣਾ ਖਾਓ, ਉਸ ਭੋਜਨ ਦਾ ਆਰਡਰ ਕਰੋ ਜੋ ਡਬਲਰੋਟੀ ਜਾਂ ਤਲਿਆ ਨਾ ਹੋਵੇ। + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + ਸ਼ੂਗਰ ਫ੍ਰੀ ਦਾ ਅਸਲ ਮਤਲਬ ਬਿਲਕੁਲ ਖੰਡ ਨਾ ਹੋਣਾ ਨਹੀਂ ਹੈ। ਇਸ ਦਾ ਮਤਲਬ ਹਰੇਕ ਹਰੇਕ ਹਿੱਸੇ ਵਿੱਚ 0.5 ਗ੍ਰਾਮ ਖੰਡ ਹੈ, ਇਸ ਲਈ ਬਹੁਤ ਸਾਰੀਆਂ ਸ਼ੂਗਰ ਫ੍ਰੀ ਚੀਜ਼ਾਂ ਲੈਣ ਸਮੇਂ ਸੁਚੇਤ ਰਹੋ। + ਚੰਗਾ ਭਾਰ ਬਣਾਈ ਰੱਖਣਾ ਖੂਨ ਵਿੱਚ ਸ਼ੂਗਰ ਨੂੰ ਕਾਬੂ ਰੱਖਣ ਵਿੱਚ ਸਹਾਇਤਾ ਕਰਦਾ ਹੈ। ਤੁਹਾਡਾ ਡਾਕਟਰ, ਡਾਈਟੀਸ਼ੀਅਨ ਅਤੇ ਫਿਟਨੈੱਸ ਟ੍ਰੇਨਰ ਤੁਹਾਨੂੰ ਇੱਕ ਯੋਜਨਾ ਸ਼ੁਰੂ ਕਰਵਾ ਸਕਦਾ ਜੋ ਤੁਹਾਡੇ ਲਈ ਵਧੀਆ ਰਹੇਗੀ। + ਆਪਣੇ ਖੂਨ ਪੱਧਰ ਦੀ ਜਾਂਚ ਕਰਨਾ ਅਤੇ ਇਸ ਤੇ ਦਿਨ ਵਿੱਚ ਦੋ ਵਾਰ Glucosio ਵਰਗੀ ਐਪ ਨਾਲ ਨਜ਼ਰ ਰੱਖਣਾ ਭੋਜਨ ਅਤੇ ਜੀਵਨਸ਼ੈਲੀ ਪਸੰਦਾਂ ਦੇ ਨਤੀਜਿਆਂ ਦਾ ਧਿਆਨ ਰੱਖਣ ਵਿੱਚ ਸਹਾਇਤਾ ਕਰਦਾ ਹੈ। + ਪਿਛਲੇ 2 ਤੋਂ 3 ਮਹੀਨਿਆਂ ਵਿੱਚ ਆਪਣੇ ਖੂਨ ਵਿੱਚ ਔਸਤ ਸ਼ੂਗਰ ਪੱਧਰ ਦਾ ਪਤਾ ਲਗਾਉਣ ਲਈ A1c ਖੂਨ ਟੈਸਟ ਲਓ। ਤੁਹਾਡਾ ਡਾਕਟਰ ਤੁਹਾਨੂੰ ਦੱਸੇਗਾ ਕੀ ਤੁਹਾਨੂੰ ਇਹ ਟੈਸਟ ਨੂੰ ਕਿੰਨੀ ਵਾਰ ਕਰਵਾਉਣ ਦੀ ਲੋੜ ਪਵੇਗੀ। + ਤੁਸੀਂ ਕਿੰਨੇ ਕਾਰਬੋਹਾਈਡਰੇਟ ਲੈਂਦੇ ਹੋ ਇਸ ਤੇ ਨਜ਼ਰ ਰੱਖਣਾ ਉਨ੍ਹਾਂ ਹੀ ਜ਼ਰੂਰੀ ਹੈ ਜਿੰਨ੍ਹਾ ਖੂਨ ਦੇ ਪੱਧਰ ਦੀ ਜਾਂਚ ਕਰਨਾ ਕਿਉਂਕਿ ਕਾਰਬੋਹਾਈਡਰੇਟ ਖੂਨ ਵਿੱਚ ਸ਼ੂਗਰ ਦੇ ਪੱਧਰ ਤੇ ਅਸਰ ਪਾਉਂਦੇ ਹਨ। ਆਪਣੇ ਡਾਕਟਰ ਜਾਂ ਡਾਈਟੀਸ਼ੀਅਨ ਨਾਲ ਕਾਰਬੋਹਾਈਡਰੇਟ ਲੈਣ ਬਾਰੇ ਗੱਲਬਾਤ ਕਰੋ। + ਬਲੱਡ ਪ੍ਰੈਸ਼ਰ, ਕੋਲੈਸਟਰੋਲ ਅਤੇ ਟਰਾਈਗਲਿਸਰਾਈਡਸ ਦੇ ਪੱਧਰਾਂ ਨੂੰ ਕਾਬੂ ਰੱਖਣਾ ਜ਼ਰੂਰੀ ਹੈ ਕਿਉਂਕਿ ਸ਼ੂਗਰ ਦੇ ਮਰੀਜ਼ ਅਸਾਨੀ ਦਿਲ ਦੀਆਂ ਬੀਮਾਰੀਆਂ ਦੇ ਸ਼ਿਕਾਰ ਹੋ ਜਾਂਦੇ ਹਨ। + ਸਿਹਤਮੰਦ ਖਾਣ ਲਈ ਵੱਖ-ਵੱਖ ਤਰ੍ਹਾਂ ਦੇ ਭੋਜਨਾਂ ਦੀ ਵਰਤੋਂ ਅਤੇ ਆਪਣੇ ਸ਼ੂਗਰ ਦੇ ਨਤੀਜਿਆਂ ਵਿੱਚ ਸੁਧਾਰ ਕਰ ਸਕਦੇ ਹੋ। ਤੁਹਾਡੇ ਬਜਟ ਅਤੇ ਤੁਹਾਡੇ ਲਈ ਕੀ ਵਧੀਆ ਰਹੇਗਾ ਇਸ ਬਾਰੇ ਡਾਈਟੀਸ਼ੀਅਨ ਤੋਂ ਸਲਾਹ ਲਓ। + ਰੋਜ਼ਾਨਾ ਕਸਰਤ ਕਰਨਾ ਖ਼ਾਸ ਤੌਰ ਤੇ ਸ਼ੂਗਰ ਦੇ ਮਰੀਜਾਂ ਲਈ ਲਾਹੇਵੰਦ ਹੁੰਦਾ ਅਤੇ ਇੱਕ ਚੰਗਾ ਭਾਰ ਬਣਾਈ ਰੱਖਣ ਵਿੱਚ ਸਹਾਇਤਾ ਕਰਦਾ ਹੈ। ਆਪਣੇ ਡਾਕਟਰ ਨਾਲ ਕਸਰਤਾਂ ਬਾਰੇ ਗੱਲਬਾਤ ਕਰੋ ਜੋ ਤੁਹਾਡੇ ਲਈ ਢੁਕਵੀਆਂ ਹੋਣ। + ਨੀਂਦ ਦੀ ਕਮੀ ਕਾਰਨ ਤੁਸੀਂ ਜੰਕ ਫੂਡ ਵਰਗੀਆਂ ਚੀਜ਼ਾਂ ਜ਼ਿਆਦਾ ਖਾਂਦੇ ਹੋ ਜਿਸ ਨਾਲ ਤੁਹਾਡੀ ਸਿਹਤ ਤੇ ਮਾੜਾ ਅਸਰ ਪੈ ਸਕਦਾ ਹੈ। ਰਾਤ ਨੂੰ ਚੰਗੀ ਨੀਂਦ ਲੈਣਾ ਯਕੀਨੀ ਬਣਾਓ ਅਤੇ ਜੇਕਰ ਤੁਹਾਨੂੰ ਇਸ ਵਿੱਚ ਮੁਸ਼ਕਲ ਆ ਰਹੀ ਹੈ ਤਾਂ ਇੱਕ ਨੀਂਦ ਮਾਹਰ ਨਾਲ ਸਲਾਹ-ਮਸ਼ਵਰਾ ਕਰੋ। + ਤਣਾਅ ਦਾ ਸ਼ੂਗਰ ਤੇ ਮਾੜਾ ਪ੍ਰਭਾਵ ਪੈ ਸਕਦਾ ਆਪਣੇ ਡਾਕਟਰ ਜਾਂ ਹੋਰ ਸਿਹਤ ਦੇਖਭਾਲ ਪੇਸ਼ੇਵਰ ਨਾਲ ਤਣਾਅ ਨਾਲ ਨਜਿੱਠਣ ਬਾਰੇ ਗੱਲਬਾਤ ਕਰੋ। + ਸ਼ੂਗਰ ਮਰੀਜਾਂ ਲਈ ਸਾਲ ਵਿੱਚ ਇੱਕ ਵਾਰ ਆਪਣੇ ਡਾਕਟਰ ਕੋਲ ਜਾਣਾ ਅਤੇ ਸਾਰੇ ਸਾਲ ਦੌਰਾਨ ਲਗਾਤਾਰ ਸੰਪਰਕ ਵਿੱਚ ਰਹਿਣਾ ਜ਼ਰੂਰੀ ਹੈ ਇਹ ਸਿਹਤ ਸਮੱਸਿਆਵਾਂ ਨਾਲ ਸੰਬੰਧਤ ਕਿਸੇ ਵੀ ਤਰ੍ਹਾਂ ਦੇ ਅਚਾਨਕ ਹਮਲੇ ਨੂੰ ਰੋਕਦਾ ਹੈ। + ਆਪਣੇ ਡਾਕਟਰ ਦੀ ਤਜਵੀਜ਼ ਅਨੁਸਾਰ ਆਪਣੀ ਦਵਾਈ ਲਓ ਆਪਣੀ ਦਵਾਈ ਲੈਣ ਵਿੱਚ ਕੀਤੀਆਂ ਛੋਟੀਆਂ ਗਲਤੀਆਂ ਨਾਲ ਤੁਹਾਡੇ ਖੂਨ ਵਿੱਚ ਗਲੂਕੋਜ਼ ਦੇ ਪੱਧਰ ਤੇ ਅਸਰ ਅਤੇ ਹੋਰ ਮਾੜੇ ਪ੍ਰਭਾਵ ਪੈ ਸਕਦੇ ਹਨ। ਜੇਕਰ ਤੁਹਾਨੂੰ ਯਾਦ ਰੱਖਣ ਵਿੱਚ ਮੁਸ਼ਕਲ ਹੁੰਦੀ ਹੈ ਤਾਂ ਆਪਣੇ ਡਾਕਟਰ ਨੂੰ ਦਵਾਈ ਮੈਨੇਜਮੈਂਟ ਅਤੇ ਰੀਮਾਈਂਡਰ ਚੋਣਾਂ ਬਾਰੇ ਪੁੱਛੋ। + + + ਵੱਡੀ ਉਮਰ ਦੇ ਮਰੀਜ਼ਾਂ ਨੂੰ ਸ਼ੂਗਰ ਨਾਲ ਸੰਬੰਧਤ ਸਿਹਤ ਸਮੱਸਿਆਵਾਂ ਦਾ ਜੋਖਮ ਵੱਧ ਹੁੰਦਾ ਹੈ। ਆਪਣੇ ਡਾਕਟਰ ਨਾਲ ਗੱਲਬਾਤ ਕਰੋ ਕਿ ਤੁਹਾਡੀ ਸ਼ੂਗਰ ਵਿੱਚ ਤੁਹਾਡੀ ਉਮਰ ਕੀ ਭੂਮਿਕਾ ਨਿਭਾਉਂਦੀ ਹੈ ਅਤੇ ਕੀ ਧਿਆਨ ਰੱਖਣਾ ਚਾਹੀਦਾ ਹੈ। + ਤੁਹਾਡੇ ਵੱਲੋਂ ਖਾਣਾ ਬਣਾਉਣ ਸਮੇਂ ਅਤੇ ਖਾਣਾ ਬਣਾਉਣ ਤੋਂ ਬਾਅਦ ਪੈਣ ਵਾਲੇ ਲੂਣ ਦੀ ਮਾਤਰਾ ਨੂੰ ਘੱਟ ਕਰੋ। + + ਸਹਾਇਕ + ਹੁਣੇ ਅੱਪਡੇਟ ਕਰੋ + ਠੀਕ, ਸਮਝ ਗਿਆ + ਫੀਡਬੈਕ ਦਿਓ + ਰੀਡਿੰਗ ਜੋੜੋ + ਆਪਣਾ ਭਾਰ ਅੱਪਡੇਟ ਕਰੋ + ਆਪਣੇ ਭਾਰ ਨੂੰ ਅੱਪਡੇਟ ਕਰਨਾ ਯਕੀਨੀ ਬਣਾਓ ਤਾਂ ਕਿ Glucosio ਕੋਲ ਬਿਲਕੁਲ ਸਹੀ ਜਾਣਕਾਰੀ ਹੋਵੇ। + ਆਪਣੀ ਖੋਜ ਭਾਗੀਦਾਰੀ ਨੂੰ ਅੱਪਡੇਟ ਕਰੋ + ਤੁਸੀਂ ਹਮੇਸ਼ਾ ਸ਼ੂਗਰ ਖੋਜ ਸਾਂਝੇਦਾਰੀ ਵਿੱਚ ਭਾਗ ਲੈ ਜਾਂ ਬਾਹਰ ਹੋ ਸਕਦੇ ਹੋ, ਯਾਦ ਰੱਖੋ ਸਾਂਝਾ ਕੀਤਾ ਡਾਟਾ ਪੂਰੀ ਤਰ੍ਹਾਂ ਗੁਪਤ ਹੈ। ਅਸੀਂ ਸਿਰਫ਼ ਜਨ ਅਤੇ ਗਲੂਕੋਜ਼ ਪੱਧਰ ਰੁਝਾਨ ਸਾਂਝੇ ਕਰਦੇ ਹਾਂ। + ਵਰਗ ਬਣਾਓ + ਗਲੂਕੋਜ਼ ਇਨਪੁੱਟ ਲਈ Glucosio ਮੂਲ ਵਰਗਾਂ ਨਾਲ ਆਉਂਦਾ ਹੈ ਪਰ ਤੁਸੀਂ ਆਪਣੀਆਂ ਜ਼ਰੂਰਤਾਂ ਮੁਤਾਬਿਕ ਸੈਟਿੰਗਾਂ ਵਿੱਚ ਤਰਜੀਹੀ ਵਰਗ ਬਣਾ ਸਕਦੇ ਹੋ। + ਇੱਥੇ ਅਕਸਰ ਵੇਖੋ + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + ਫੀਡਬੈਕ ਭੇਜੋ + ਜੇਕਰ ਤੁਹਾਨੂ ਕੋਈ ਤਕਨੀਕੀ ਸਮੱਸਿਆ ਆਈ ਜਾਂ Glucosio ਬਾਰੇ ਫੀਡਬੈਕ ਭੇਜਣਾ ਚਾਹੁੰਦੇ ਹੋ Glucosio ਨੂੰ ਵਧੀਆ ਬਣਾਉਣ ਵਿੱਚ ਸਾਡੀ ਸਹਾਇਤਾ ਲਈ ਅਸੀਂ ਤੁਹਾਨੂੰ ਇਸ ਨੂੰ ਸੈਟਿੰਗ ਮੀਨੂੰ ਤੋਂ ਭੇਜਣ ਲਈ ਉਤਸ਼ਾਹਿਤ ਕਰਦੇ ਹਾਂ। + ਰੀਡਿੰਗ ਸ਼ਾਮਲ ਕਰੋ + ਨਿਯਮਿਤ ਤੌਰ ਤੇ ਆਪਣੀ ਗਲੋਕੂਜ਼ ਰੀਡਿੰਗ ਸ਼ਾਮਲ ਕਰਨਾ ਯਕੀਨੀ ਬਣਾਓ ਤਾਂ ਕੀ ਅਸੀਂ ਤੁਹਾਡੀ ਗਲੂਕੋਜ਼ ਪੱਧਰਾਂ ਤੇ ਨਜ਼ਰ ਰੱਖਣ ਵਿੱਚ ਸਹਾਇਤਾ ਕਰ ਸਕੀਏ। + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + ਤਰਜੀਹੀ ਸੀਮਾ + ਮਨਪਸੰਦ ਸੀਮਾ + ਘੱਟੋ-ਘਂੱਟ ਮੁੱਲ + ਵੱਧੋ-ਵੱਧ ਮੁੱਲ + TRY IT NOW + diff --git a/app/src/main/res/values-pam-rPH/google-playstore-strings.xml b/app/src/main/res/values-pam-rPH/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-pam-rPH/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-pam-rPH/strings.xml b/app/src/main/res/values-pam-rPH/strings.xml new file mode 100644 index 00000000..eaf5f29a --- /dev/null +++ b/app/src/main/res/values-pam-rPH/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Mga Setting + Magpadala ng feedback + Overview + Kasaysayan + Mga Tip + Mabuhay. + Mabuhay. + Terms of Use. + Nabasa ko at tinatanggap ang Terms of Use + Ang mga nilalaman ng Glucosio website at apps, lahat ng mga teksto, larawan, imahen at iba pang materyal (\"Content\") ay inilathala para sa impormasyon lamang. Ang mga nasabing nilalaman at hindi maaring gamit sa pangpropesyunal na payong pangmedikal, pagsusuri o kagamutan. Lahat ng gumagamit ng Glucosio ay hinihikayat na magpasuri sa mga doktor o mga tagapayong pangkalusugan sa anumang katanungan hingil sa inyong sakit.\n Walang pananagutan ang Glucosio team, volunteers at mga nilalaman sa aming website sa paggamit ng aming produkto. + Kinakailangan namin ang ilang mga bagay bago tayo makapagsimula. + Bansa + Edad + Paki-enter ang tamang edad. + Kasarian + Lalaki + Babae + Iba + Uri ng diabetes + Type 1 + Type 2 + Nais na unit + Ibahagi ang anonymous data para sa pagsasaliksik. + Maaari mong palitan ang mga settings na ito mamaya. + SUSUNOD + MAGSIMULA + Walang impormasyon na nakatala. \n Magdagdag ng iyong unang reading dito. + Idagdag ang Blood Glucose Level + Konsentrasyon + Petsa + Oras + Sukat + Bago mag-agahan + Pagkatapos ng agahan + Bago magtanghalian + Pagkatapos ng tanghalian + Bago magdinner + Pagkatapos magdinner + Pangkabuuan + Suriin muli + Gabi + Iba pa + KANSELAHIN + IDAGDAG + Mag-enter ng tamang value. + Paki-punan ang lahat ng mga fields. + Burahin + I-edit + Binura ang 1 reading + I-UNDO + Huling pagsusuri: + Trend sa nakalipas na buwan: + nasa tamang sukat at ikaw ay malusog + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + Tungkol sa + Bersyon + Terms of use + Uri + Weight + Custom na kategorya para sa mga sukat + + Kumain ng mga sariwa at hindi processed na mga pagkain para makaiwas sa carbohydrate at asukal. + Basahing mabuti ang nutritional label sa mga packaged food at beverages para makontrol ang lebel ng asukal at carbohydrate sa kinakain. + Kung kakain sa labas, kumain ng isda o nilagang karne na walang mantikilya o mantika. + Kapag kumakain sa labas, kumuha ng mga low sodium na pagkain. + Kung kakain sa labas, siguraduhing ang dami ng iyong kakainin ay katulad lamang ng pagkain mo kung ikaw ay nasa bahay at huwag mag-uuwi ng mga tira. + Kung kakain sa labas, kumuha ng mga pagkaing mababa sa calorie, tulad ng salad dressings, kahit na ang mga ito ay wala sa menu. + Kung kakain sa labas, magtanong ng mga substitutions. Halimbawa, sa halip na kumain ng French Fries, kumuha ng dalawang order ng gulay tulad ng salad, green beans at repolyo. + Kung kakain sa labas, kumuha ng pagkaing hindi breaded or pinirito. + Kung kakain sa labas, humingi ng mga sauce, gravy at salad dressings bilang pang-ulam. + Hindi ibig sabihin na kapag ang isang bagay ay sugar free, wala na itong asukal. Ang ibig nitong sabihin ay mayroon lamang ito na 0.5 grams (g) ng asukal sa bawat serving, kaya mag-ingat at kumain lamang ng tamang pagkain na nagsasabing sila ay sugar free. + Ang pagkakaroon ng tamang timbang at nakatutulong sa pagkontrol ng blood sugar. Alamin ang tamang pamamaraan mula sa inyong doktor. + Ang pagsusuri ng iyong blood level at pagtatala nito sa app na katulad ng Glucosio dalawang beses sa isang araw ay makatutulong para magkaron ng mabuting pagpili sa mga kinakain at pamumuhay. + Magpakuha ng A1c blood test para malaman ang iyong blood sugar average sa nagdaang 2 hanggang 3 buwan. Sasabihin sa iyo ng iyong doktok kung gaano kadalas mo dapat ginawa ang ganitong pagsusuri. + Ang pagtatala kung ilang carbohydrates ang nasa iyong pagkain ay kasing halaga ng pagsusuri ng iyong blood levels, dahil ito ay nakaaapekto sa bawat isa. Kausapin ang iyong manggagamot para sa nararapat ng carbohydrate intake. + Ang pag-control ng iyong blood pressure, cholesterol at triglyceride levels ay mahalaga dahil ang mga diabetiko ay mas malaki ang tsansang magkasakit sa puso. + May iba\'t-ibang pamamaraan sa pagdidiyeta para makatulong na ikaw ay maging malusog at makontrol ang iyong diabetes. Kumunsulta sa isang dietician para malaman kung ano ang pinakamabuting pamamaraan ng pagdidiyeta na pasok sa iyong budget. + Ang palagiang pag-eehersisyo ay mahalaga sa mga diabetiko para mapanatili ang tamang timbang. Kumunsulta sa inyong doktor para malaman ang tamang ehersisyo sa iyo. + Kung kulang ka sa tulog, ito ay magiging sanhi para ikaw ay kumain nang mas marami at kumain ng mga junk foods na hindi maganda sa iyong kalusugan. Siguraduhing may sapat na oras ng tulog sa gabi. Sumangguni sa espesyalista kung kinakailangan. + May malaking epekto ang stress sa mga diabetiko. Kumunsulta sa inyong doktor para malaman kung paano malalabanan ang stress. + Ang pagbisita sa iyong doktor at palagiang kuminikasyon sa kaniya sa loob ng buong taon ay mahalaga para sa mga may diabetes para maiwasan ang paglubha ng iyong sakit. + Palagiang uminom ng gamot base sa payo ng inyong doktor. Ang pagliban sa pag-inom ng gamot ay may malaking epekto sa iyong blood glucose level. Kumunsulta sa inyong doktor para malaman ang pinakaepektibong pamamaraan na hindi mo malilimutang uminom ng gamot sa oras. + + + May epekto ang edad ng isang diabetiko. Kumunsulta sa inyong doktor para malaman kung anu-ano ang dapat gawin ng isang diabetikong may edad na. + Siguraduhing kakaunti lamang ang asin sa pagkaing niluluto o ang paggamit nito habang kumakain. + + Assistant + I-UPDATE NGAYON + OK + I-SUBMIT ANG FEEDBACK + MAGDAGDAG NG READING + I-update ang iyong timbang + Siguraduhing tama ang iyong timbang para makapagbigay ng mas angkop na impormasyon ang Glucosio. + I-update ang iyong research opt-in + Maaari kang hindi mapabilang sa aming diabetes research sharing kung iyong nanaisin. Lahat ng impormasyon na aming nilalagap ay anonymous at hinding-hindi namin ito ipamimigay kanino man. + Gumawa ng mga kategorya + Ang Glucosio ay mga kategoryang kalakip para sa glucose input, ngunit maaari kang gumawa ng sarili mong kategorya kung nanaisin. + Pumunta dito ng madalas + Nagbibigay ang Glucosio assistant ng mga payo kung paano gaganda ang iyong kalusugan at kung paano mo makukuha ang benepisyo ng paggamit ng Glucosio. + I-submit ang feedback + Kung may mga katanungang pangteknikal or may mga puna at suhesyon para sa Glucosio, pumunta sa settings menu. + Magdagdag ng reading + Siguraduhing palaging magdagdag ng iyong glucose readings para ikaw matulungan naming i-track ang iyong glucose levels. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-pcm-rNG/google-playstore-strings.xml b/app/src/main/res/values-pcm-rNG/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-pcm-rNG/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-pcm-rNG/strings.xml b/app/src/main/res/values-pcm-rNG/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-pcm-rNG/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-pi-rIN/google-playstore-strings.xml b/app/src/main/res/values-pi-rIN/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-pi-rIN/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-pi-rIN/strings.xml b/app/src/main/res/values-pi-rIN/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-pi-rIN/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-pl-rPL/google-playstore-strings.xml b/app/src/main/res/values-pl-rPL/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-pl-rPL/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-pl-rPL/strings.xml b/app/src/main/res/values-pl-rPL/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-pl-rPL/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-ps-rAF/google-playstore-strings.xml b/app/src/main/res/values-ps-rAF/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-ps-rAF/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-ps-rAF/strings.xml b/app/src/main/res/values-ps-rAF/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-ps-rAF/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-pt-rBR/google-playstore-strings.xml b/app/src/main/res/values-pt-rBR/google-playstore-strings.xml new file mode 100644 index 00000000..8b90b932 --- /dev/null +++ b/app/src/main/res/values-pt-rBR/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio é um app para pessoas com diabetes focado no usuário + Com o Glucosio, você pode gravar e acompanhar seus níveis de glicemia, contribuir anonimamente com pesquisas sobre diabetes compartilhando tendências de glicemia e informações demográficas, assim como receber dicas importantes através do nosso assistente. O Glucosio respeita a sua privacidade e você sempre tem o controle sobre os seus dados. + * Focado no usuário. Os apps do Glucosio são construídos com recursos e um design que correspondem às necessidades do usuário e estamos sempre abertos à sua opinião para melhorarmos. + * Código aberto. Os apps do Glucosio dão a você a liberdade de usar, copiar, estudar e modificar o código fonte de qualquer um dos nossos apps e até contribuir com o projeto do Glucosio. + * Gerenciamento de dados. O Glucosio permite que você possa acompanhar e gerenciar os dados sobre a sua diabetes com uma interface intuitiva e moderna, construída com a ajuda de outras pessoas com diabetes. + * Apoio à pesquisa. Os apps do Glucosio dão ao usuário a opção de compartilhar com pesquisadores informações sobre a sua diabetes e dados demográficos de forma anônima. + Por favor, registre qualquer qualquer bug, reclamação ou peça novos recursos em: + https://github.com/glucosio/android + Mais detalhes: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-pt-rBR/strings.xml b/app/src/main/res/values-pt-rBR/strings.xml new file mode 100644 index 00000000..b5ac972d --- /dev/null +++ b/app/src/main/res/values-pt-rBR/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Configurações + Enviar comentários + Visão geral + Histórico + Dicas + Olá. + Olá. + Termos de uso. + Eu li e aceito os Termos de Uso + O conteúdo do site Glucosio e apps, tais como texto, gráficos, imagens e outros materiais (\"Conteúdo\") é apenas para fins informativos. O conteúdo não se destina a ser um substituto para aconselhamento médico profissional, diagnóstico ou tratamento. Nós encorajamos os usuários do Glucosio a sempre procurar o conselho do seu médico ou outro provedor de saúde qualificado com qualquer dúvida que você possa ter em relação a uma situação médica. Nunca desconsidere o aconselhamento médico profissional ou deixe de buscá-lo por causa de algo que você tenha lido no site do Glucosio ou em nossos aplicativos. O site do Glucosio, Blog, Wiki e outros conteúdos acessíveis via navegador de web (\"site\") devem ser usados apenas para os fins descritos acima. \n Confiar em qualquer informação fornecida por Glucosio, membros da equipe Glucosio, voluntários e outros aparecendo no site ou em nossos aplicativos é um risco exclusivamente seu. O Site e seu Conteúdo são fornecidos \"como estão\". + Precisamos de algumas coisas rápidas antes de você começar. + País + Idade + Por favor, insira uma idade válida. + Sexo + Masculino + Feminino + Outros + Tipo de diabetes + Tipo 1 + Tipo 2 + Unidade preferida + Compartilhar dados anônimos para pesquisa. + Você pode fazer alterações em Configurações depois. + PRÓXIMO + COMEÇAR + Não há informação disponível ainda. \n Adicionar sua primeira leitura aqui. + Adicionar o nível de glicose no sangue + Concentração + Data + Horário + Medido + Antes do café + Depois do café + Antes do almoço + Depois do almoço + Antes do jantar + Depois do jantar + Geral + Verificar novamente + À noite + Outros + CANCELAR + ADICIONAR + Por favor, insira um valor válido. + Por favor, preencha todos os campos. + Excluir + Editar + 1 leitura eliminada + DESFAZER + Última verificação: + Tendência do mês passado: + no intervalo e saudável + Mês + Dia + Semana + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + Sobre + Versão + Termos de uso + Tipo + Peso + Categoria de medição personalizada + + Coma mais alimentos frescos, não-processados, para ajudar a reduzir a ingestão de carboidratos e açúcar. + Leia o rótulo nutricional em alimentos embalados e bebidas para controlar a ingestão de açúcar e carboidratos. + Quando comer fora, peça peixe ou carne grelhada sem manteiga ou óleo. + Quando comer fora, pergunte se eles têm pratos com baixo teor de sódio. + Quando comer fora, coma as mesmas porções que você comeria em casa e leve as sobras para viagem. + Quando comer fora, peça itens de baixa caloria, como molhos para salada, mesmo que eles não estejam no menu. + Quando comer fora, faça substituições. Em vez de batatas fritas, peça uma porção dupla de vegetais, como saladas, feijão ou brócolis. + Quando comer fora, peça alimentos que não sejam empanados nem fritos. + Quando comer fora, peça molhos e temperos para salada para acompanhar. + \"Sem açúcar\" não significa realmente \"sem açúcar\". Isso significa 0,5 grama (g) de açúcar por porção, então tenha cuidado para não exagerar na quantidade de itens \"sem açúcar\". + Buscar um peso saudável ajuda a controlar a glicemia. Um personal trainer, um nutricionista e seu médico podem fazer você começar um plano que vai funcionar para você. + Verificar a sua glicemia e acompanhar em um app como o Glucosio duas vezes por dia ajudará você a estar ciente dos resultados das suas escolhas alimentares e estilo de vida. + Faça exames de sangue A1c para descobrir sua média de glicemia durante os últimos 2 ou 3 meses. Seu médico deve dizer a frequência necessária para repetir esses exames. + Contar quanto carboidrato você consome pode ser tão importante quanto verificar a glicemia, já que os carboidratos influenciam os níveis de glicose no sangue. FalE com seu médico ou um nutricionista sobre a ingestão de carboidratos. + Controlar a pressão arterial, o colesterol e triglicérides é importante, já que os diabéticos são suscetíveis a doenças cardíacas. + Há várias abordagens de dieta que você pode tentar para se alimenar de maneira mais saudável, ajudando a melhorar sua diabetes. Procure ajuda de um nutricionista sobre o que funcionará melhor para você e seu orçamento. + Praticar exercícios regulares é particularmente importante para os diabéticos e pode ajudá-lo a manter um peso saudável. Converse com seu médico sobre os exercícios que serão convenientes para você. + A falta de sono pode fazer você comer mais, especialmente coisas como fast-food e, como resultado, pode afetar negativamente a sua saúde. Certifique-se de ter uma boa noite de sono e consultar um especialista do sono, se você estiver tendo dificuldades. + Estresse pode ter um impacto negativo na diabetes. Converse com seu médico ou outro profissional de saúde sobre como lidar com o estresse. + Visitar seu médico uma vez por ano, assim como manter um contato regular ao longo do ano, é importante para os diabéticos prevenirem qualquer aparecimento súbito de problemas de saúde associados. + Tome sua medicação conforme prescrito pelo seu médico. Mesmo pequenos esquecimentos podem afetar sua glicemia e causar outros efeitos colaterais. Se estiver tendo dificuldade com os horários, pergunte ao seu médico sobre como gerenciar a medicação e opções de lembretes. + + + Diabéticos mais idosos têm maior risco de desenvolverem problemas de saúde associados com o diabetes. Converse com seu médico sobre como sua idade desempenha um papel no seu diabetes e o que deve ser observado. + Limite a quantidade de sal que você usa para cozinhar e que você adiciona às refeições após o preparo. + + Assistente + ATUALIZAR AGORA + OK, ENTENDI + ENVIAR COMENTÁRIOS + ADICIONAR LEITURA + Atualize seu peso + Certifique-se de atualizar seu peso para que Glucosio tenha sempre as informações mais precisas. + Atualize seu opt-in de pesquisa + Você pode sempre entrar ou sair do compartilhamento de pesquisas sobre diabetes, mas lembre-se que todos os dados compartilhados são totalmente anônimos. Somente compartilhamos Demografia e tendências dos níveis de glicemia. + Criar categorias + Glucosio vem com categorias padrão para a entrada de glicose, mas você pode criar categorias personalizadas nas configurações para atender às suas necessidades exclusivas. + Confira aqui frequentemente + O assistente Glucosio fornece dicas regulares e vai continuar melhorando, portanto, sempre confira aqui ações úteis que você pode tomar para melhorar a sua experiência com o Glucosio e outras dicas úteis. + Enviar comentários + Se você encontrar quaisquer problemas técnicos ou tiver comentários sobre o Glucosio, nós encorajamos você a apresentá-los no menu de configuraçõesm, a fim de nos ajudar a melhorar o Glucosio. + Adicionar uma leitura + Não se esqueça de adicionar regularmente as leituras de glicemia, para podermos ajudá-lo a controlar seus níveis de glicemia ao longo do tempo. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Faixa preferencial + Faixa personalizada + Valor mínimo + Valor máximo + EXPERIMENTE AGORA + diff --git a/app/src/main/res/values-pt-rPT/google-playstore-strings.xml b/app/src/main/res/values-pt-rPT/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-pt-rPT/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-pt-rPT/strings.xml b/app/src/main/res/values-pt-rPT/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-pt-rPT/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-qu-rPE/google-playstore-strings.xml b/app/src/main/res/values-qu-rPE/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-qu-rPE/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-qu-rPE/strings.xml b/app/src/main/res/values-qu-rPE/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-qu-rPE/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-quc-rGT/google-playstore-strings.xml b/app/src/main/res/values-quc-rGT/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-quc-rGT/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-quc-rGT/strings.xml b/app/src/main/res/values-quc-rGT/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-quc-rGT/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-qya-rAA/google-playstore-strings.xml b/app/src/main/res/values-qya-rAA/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-qya-rAA/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-qya-rAA/strings.xml b/app/src/main/res/values-qya-rAA/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-qya-rAA/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-rm-rCH/google-playstore-strings.xml b/app/src/main/res/values-rm-rCH/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-rm-rCH/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-rm-rCH/strings.xml b/app/src/main/res/values-rm-rCH/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-rm-rCH/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-rn-rBI/google-playstore-strings.xml b/app/src/main/res/values-rn-rBI/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-rn-rBI/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-rn-rBI/strings.xml b/app/src/main/res/values-rn-rBI/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-rn-rBI/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-ro-rRO/google-playstore-strings.xml b/app/src/main/res/values-ro-rRO/google-playstore-strings.xml new file mode 100644 index 00000000..17b65145 --- /dev/null +++ b/app/src/main/res/values-ro-rRO/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio este o aplicatie centrată pe utilizator, gratuită şi open source, pentru persoanele cu diabet zaharat + Folosind Glucosio, puteţi introduce şi urmări nivelurile de glucoză din sânge, sprijini anonim cercetarea diabetului contribuind date demografice şi tendinţe anonimizate ale nivelului de glucoză, şi obţine sfaturi utile prin intermediul asistentului nostru. Glucosio respectă confidenţialitatea şi sunteţi mereu în controlul datelor dvs. + * Centrat pe utilizator. Aplicațiile Glucosio sunt construite cu caracteristici şi un design care se potriveşte nevoilor utilizatorului şi suntem în mod constant deschisi la feedback pentru a ne îmbunătăţi. + * Open-Source. Aplicațiile Glucosio dau libertatea de a folosi, copia, studia, şi schimba codul sursă pentru oricare dintre aplicațiile noastre şi chiar de a contribui la proiect Glucosio. + * Gestionare date. Glucosio vă permite să urmăriţi şi să gestionaţi datele de diabet zaharat printr-o interfaţă intuitivă, modernă, construită cu feedback-ul de la diabetici. + * Ajută cercetarea. Aplicațiile Glucosio dau utilizatorilor posibilitatea de a opta pentru schimbul de date anonimizate despre diabet şi informaţii demografice cu cercetătorii. + Vă rugăm să trimiteţi orice bug-uri, probleme sau cereri de caracteristici la: + https://github.com/glucosio/android + Detalii: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-ro-rRO/strings.xml b/app/src/main/res/values-ro-rRO/strings.xml new file mode 100644 index 00000000..e4fcb486 --- /dev/null +++ b/app/src/main/res/values-ro-rRO/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Setări + Trimite feedback + General + Istoric + Ponturi + Salut. + Salut. + Termeni de folosire + Am citit și accept termenii de folosire + Conținutul site-ului și applicațiilor Glucosio, cum ar fi textul, graficele, imaginile și alte materiale (”Conținut”) sunt doar cu scop informativ. Conținutul nu este un înlocuitor la sfatul medicului, diagnostic sau tratament. Ne încurajăm utilizatorii să caute ajutorul medicului când vine vorba de orice afecțiune. Nu ignorați sfatul medicului sau amânați căutarea lui din cauza a ceva ce ați citit pe site-ul sau aplicațiile Glucosio. Site-ul, blogul și wiki-ul Glucosio și alte resurse accesibile prin navigator (”Site-ul”) ar trebuii folosite doar în scopurile menționate mai sus.\n Încrederea în orice informație asigurată de Glucosio, membrii echipei Glucosio, voluntari și alții, apărută pe Site sau în aplicațiile noastre este pe riscul dumneavoastră. Site-ul și Conținutul sunt furnizate pe principiul \"ca atare\". + Avem nevoie de doar câteva lucruri rapide înainte de a începe. + Țară + Vârsta + Te rog introdu o vârsta validă. + Sex + Masculin + Feminin + Altul + Tipul diabetului + Tip 1 + Tip 2 + Unitatea preferată + Patajează date în mod anonim pentru cercetare. + Poți schimba aceste setări mai târziu. + URMĂTORUL + CUM SĂ ÎNCEPI + Nu avem informații disponibile momentan. \n Adaugă prima înregistrare aici. + Adaugă Nivelul Glucozei în Sânge + Concentrație + Dată + Ora + Măsurat + Înainte de micul dejun + După micul dejun + Înainte de prânz + După prânz + Înainte de cină + După cină + General + Re-verifică + Noapte + Altul + RENUNȚĂ + ADAUGĂ + Te rog introdu o valoare validă. + Te rog completează toate câmpurile. + Șterge + Modifică + O înregistrare ștearsă + ANULEAZĂ + Ultima verificare: + Tendința pe ultima lună: + în medie și sănătos + Lună + Zi + Săptămâna + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + Despre + Versiunea + Termeni de folosire + Tip + Greutate + Categorie de măsurare proprie + + Mănâncă mai multă mâncare proaspătă, neprocesată pentru a reduce carbohidrații și zaharurile. + Citește eticheta de pe mâncare si băutură pentru a controla aportul de carbohidrați și zaharuri. + Când mănânci în oraș, cere pește sau carne fiartă fără adaos de unt sau ulei. + Când mănânci în oraș, cere preparate cu conținut scăzut de sodiu. + Când mănânci în oraș, mănâncă aceeaşi porţie ca și acasă şi ia restul la pachet. + Când mănânci în oraș cere înlocuitori cu calorii puține, cum ar fi sosul pentru salată, chiar dacă nu sunt pe meniu. + Când mănânci în oraș cere schimbări în meniu. În loc de cartofi prăjiți, cere o porție dublă de legume, ca salată, mazăre verde sau broccoli. + Când mănânci în oraș cere mâncăruri care nu sunt cu pesmet sau prăjite. + Când mănânci în oraș cere ca sosurile să fie aduse separat. + Fără zahăr nu înseamnă chiar fără zahăr. Înseamnă 0.5 grame (g) de zahăr per porție, așa că ai grijă să nu faci exces de produse fără zahăr. + O greutate sănătoasă ajută la controlul zaharurilor din sânge. Doctorul, dieteticianul și instructorul de fitness te poate ajuta să faci un plan care funcționează pentru tine. + Verificarea nivelului glucozei în sânge și înregistrarea lui într-o aplicație ca Glucosio de două ori pe zi te va ajuta să vezi rezultatele pe care le au alegerile tale legate de mâncare și stilul de viață. + Fă testul de sânge A1c ca să aflii media glucozei în sânge pentru ultimele 2-3 luni. Doctorul ar trebuii să îți spună cât de des va trebuii să faci testul acesta. + Nivelul carbohidraților consumați poate fi la fel de important ca verificarea nivelului zaharurilor in sânge deoarece carbohidrații influențează nivelul glucozei în sânge. Consultă doctorul sau nutriționistul despre consumul de carbohidrați. + Măsurarea tensiunii, colesterolului și trigliceridelor este importantă deoarece diabeticii sunt predispuși problemelor cardiace. + Sunt câteva diete pe care le poți urma pentru a mânca mai sănătos si pentru a te ajuta să îți ameliorezi starea diabetului. Consultă un nutriționist pentru a vedea ce dietă ți se potrivește. + Exercițiile fizice regulate sunt foarte importante pentru diabetici și pot ajuta la menținerea unei greutăți sănătoase. Vorbește cu doctorul despre exercițiile care sunt indicate pentru tine. + Insomniile pot crește pofta de mâncare, în special mâncare nesănătoasă si ca un rezultat îți pot afecta negativ sănătatea. Ai grijă să dormi suficient și să consulți un specialist daca ai probleme cu somnul. + Stresul poate avea un impact negativ asupra diabetului. Vorbește cu doctorul sau cu un terapeut despre reducerea stresului. + Vizita medicală o data pe an si comunicarea cu doctorul pe parcursul anului este importantă pentru diabetici pentru a preveni orice apariție bruscă a problemelor medicale asociate cu diabetul. + Ia tratamentul așa cum a fost prescris de doctor, chiar și cele mai mici abateri pot afecta nivelul glucozei în sânge si pot cauza alte efecte secundare. Dacă ai probleme cu memoria cere-i doctorului sfaturi despre cum sa îți organizezi tratamentul și ce poți face ca să îți amintești mai usor. + + + Persoanele diabetice în vârstă pot avea un risc mai mare pentru problemele de sănătate asociate cu diabetul. Vorbește cu doctorul despre cum vârsta joacă un rol in diabet și cum să îl monitorizezi. + Limitează cantitatea de sare pe care o folosești când gătesti sau pe care o adaugi în mâncare după ce a fost gătită. + + Asistent + Actualizaţi acum + OK, AM ÎNȚELES + TRIMITE FEEDBACK + ADAUGĂ ÎNREGISTRARE + Actualizați greutatea dumneavoastră + Asiguraţi-vă că actualizați greutatea dumneavoastră, astfel încât Glucosio să aibă informaţii cât mai precise. + Actualizați opțiunea pentru cercetare + Puteţi întotdeauna opta pentru a ajuta studiul de cercetare a diabetului, dar țineti minte că toate datele sunt anonime. Împărtăşim numai date demografice şi tendinţele nivelului de glucoză. + Crează categorii + Glucosio vine cu categorii implicite pentru glucoză, dar puteţi crea categorii particularizate în setări pentru a se potrivi nevoilor dumneavoastră unice. + Reveniți des + Asistentul Glucosio oferă sfaturi regulate şi se va îmbunătăți, astfel încât întotdeauna reveniți aici pentru acţiuni utile pe care puteţi lua pentru a îmbunătăţi experienţa dumneavoastră Glucosio şi pentru alte sfaturi utile. + Trimite feedback + Dacă găsiţi orice probleme tehnice sau aveți feedback despre Glucosio vă recomandăm să-l trimiteți prin meniul de setări, pentru a ne ajuta să îmbunătăţim Glucosio. + Adauga o înregistrare + Asiguraţi-vă că adăugați în mod regulat înregistrările dumneavoastră de glucoză, astfel încât să vă putem ajuta să urmăriți nivelurile glucozei în timp. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Gamă preferată + Gamă proprie + Valoare minimă + Valoare maximă + ÎNCEARCĂ ACUM + diff --git a/app/src/main/res/values-ru-rRU/google-playstore-strings.xml b/app/src/main/res/values-ru-rRU/google-playstore-strings.xml new file mode 100644 index 00000000..d513589a --- /dev/null +++ b/app/src/main/res/values-ru-rRU/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio — бесплатное и свободное приложение с открытым исходным кодом для людей, больных диабетом + Используя Glucosio, вы можете вводить и отслеживать данные об уровне глюкозы, анонимно поддерживать исследования диабета путём отправки анонимных данных о демографии и уровне глюкозы, а также получать от нас советы. Glucosio уважает вашу частную жизнь, контроль над вашими данными остаётся за вами. + * Пользователи превыше всего. Приложения Glucosio построены так, что их возможности и дизайн подходят под пользовательские нужны, мы открыты и стремимся улучшить наши приложения. + * Открытый исходный код. Glucosio даёт вам право свободно использовать, копировать, изучать и изменять исходный код любых наших приложений, а также участвовать в проекте Glucosio. + * Управление данными. Glucosio позволяет вам отслеживать и управлять данными, связанными с диабетом при помощи интуитивной и современной формы обратной связи. + * Поддержка исследований. Glucosio даёт пользователям возможность отправлять исследователям анонимные данные о диабете, а также сведения демографического характера. + Сообщайте об ошибках, проблемах, а также отправляйте запросы новых возможностей по адресу: + https://github.com/glucosio/android + Дополнительная информация: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-ru-rRU/strings.xml b/app/src/main/res/values-ru-rRU/strings.xml new file mode 100644 index 00000000..d6efa786 --- /dev/null +++ b/app/src/main/res/values-ru-rRU/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Настройки + Отправить отзыв + Общие сведения + История + Подсказки + Привет. + Привет. + Условия использования. + Я прочитал условия использования и принимаю их + Содержание веб-сайта и приложения Glucosio, такие как текст, графика, изображения и другие материалы (\"Содержание\") предназначены только для информационных целей. Указанное содержание не является заменой профессиональной медицинской консультации, диагноза или лечения. Мы советуем пользователям Glucosio всегда обращаться за консультацией к врачу или другому квалифицированному специалисту в случае возникновения любых вопросов касательно состояния их здоровья. Никогда не отказывайтесь от профессиональных медицинских рекомендаций и не откладывайте визит к врачу из-за того, что вы что-то прочитали на веб-сайте Glucosio или в нашем приложении. Веб-сайт Glucosio, блог, вики и другое содержание, открываемое веб-браузером, (\"Веб-сайт\") предназначены только для указанного выше использования.\n Вы полагаетесь на информацию, предоставляемую Glucosio, членами команды Glucosio, волонтёрами и другими пользователями Веб-сайта или нашего приложения на свой страх и риск. Веб-сайт и Содержание предоставляются \"как есть\". + Для того, чтобы начать, нам нужны некоторые сведения. + Страна + Возраст + Пожалуйста, введите возраст правильно. + Пол + Мужской + Женский + Другое + Тип диабета + Тип 1 + Тип 2 + Предпочитаемые единицы измерения + Поделиться анонимными данными для исследований. + Позже вы можете изменить свои настройки. + ДАЛЬШЕ + НАЧАТЬ + Информация пока не доступна. \n Добавьте сюда ваши первые данные. + Добавить уровень глюкозы в крови + Концентрация + Дата + Время + Измерено + До завтрака + После завтрака + До обеда + После обеда + До ужина + После ужина + Общее + Повторная проверка + Ночь + Другое + ОТМЕНА + ДОБАВИТЬ + Введите корректное значение. + Пожалуйста, заполните все поля. + Удалить + Правка + 1 запись удалена + ОТМЕНИТЬ + Последняя проверка: + Тенденция по данным прошлого месяца: + в норме + Месяц + День + Неделя + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + О нас + Версия + Условия использования + Тип + Вес + Собственные категории измерений + + Ешьте больше свежих, необработанных продуктов, это поможет снизить потребление углеводов и сахара. + Читайте этикетки на упакованных продуктах и напитках, чтобы контролировать потребление сахара и углеводов. + Если едите вне дома, спрашивайте рыбу или мясо, обжаренные без дополнительного сливочного или растительного масла. + Когда едите вне дома, спрашивайте блюда с низким содержанием натрия. + Когда едите вне дома, ешьте те же порции, которые вы едите дома, а остатки можете забрать с собой. + Когда едите вне дома, спрашивайте низкокалорийную еду, например листья салата, даже если их нет в меню. + Когда едите вне дома, спрашивайте замену. Вместо картофеля фри попросите двойную порцию таких овощей как салат, зелёные бобы или брокколи. + Когда едите вне дома, не заказывайте жаренную еду и еду в панировке. + Когда едите вне дома, просите разместить соус, подливку и листья салата с краю тарелки. + \"Без сахара\" не означает, что сахара нет. Это означает, что в порции содержится 0,5 грамм сахара, поэтому будьте внимательны, не ешьте много сахаросодержащих продуктов. + Нормализация веса помогает контролировать сахар в крови. Ваш доктор, диетолог и фитнес-тренер помогут вам разработать план нормализации веса. + Проверяйте уровень сахара в крови и отслеживайте его с помощью специальных приложений, таких как Glucosio, дважды в день, это поможет вам разобраться в еде и образе жизни. + Сделайте анализ крови A1c, чтобы узнать средний уровень сахара в крови за 2-3 месяца. Ваш врач должен рассказать вам, как часто следует сдавать такой анализ. + Отслеживание потребляемых углеводов может быть столь же важно, как и проверка уровня сахара в крови, поскольку углеводы влияют на уровень глюкозы в крови. Обсудите с вашим врачом или диетологом ваше потребление углеводов. + Контролирование кровяного давления, уровня холестерина и триглицеридов имеет важное значение, поскольку диабетики подвержены болезням сердца. + Существует несколько вариантов диеты, с их помощью вы можете есть более здоровую пищу, это поможет вам контролировать свой диабет. Спросите диетолога о том, какая диета лучше подойдёт вам и вашему бюджету. + Регулярные физические упражнения особенно важны для диабетиков, поскольку они помогают поддерживать нормальный вес. Обсудите с вашим врачом то, какие упражнения вам больше всего подходят. + Недосып приводит к перееданию (особенно нездоровой пищей), что плохо отражается на вашем здоровье. Хорошо высыпайтесь по ночам. Если же вас беспокоят проблемы со сном, обратитесь к специалисту. + Стресс оказывает отрицательное влияние на диабетиков. Обсудите с вашим врачом или другим специалистом то, как справляться со стрессом. + Ежегодные посещения врача и поддержание связи с ним всё время очень важно для диабетиков, это позволит предотвратить любую резкую вспышку болезни. + Принимайте лекарства по назначению вашего врача, даже небольшие пропуски в приёме лекарств могут оказать влияние на уровень сахара в крови, а также иметь и другие эффекты. Если вам сложно помнить о приёме лекарств, спросите вашего врача о существующих возможностях напоминания. + + + Пожилые диабетики более подвержены риску возникновения проблем со здоровьем. Обсудите с вашим врачом то, как ваш возраст влияет на заболевание диабетом, и чего вам следует опасаться. + Ограничьте количество соли в приготовляемой вами еде. Также ограничьте количество соли, которое вы добавляете в уже приготовленную еду. + + Помощник + ОБНОВИТЬ СЕЙЧАС + ХОРОШО, Я ПОНЯЛ + ОТПРАВИТЬ ОТЗЫВ + ДОБАВИТЬ ДАННЫЕ + Обновите свой вес + Убедитесь, что вы обновили свой вес, и у Glucosio имеется наиболее точная информация. + Обновить согласие на участие в исследованиях + Вы можете принять участие в исследовании диабета или отказаться от такого участия, все данных полностью анонимны. Мы делимся только демографическими данными и данными об уровне глюкозы в крови. + Создайте категории + Glucosio содержит категории по умолчанию, но в настройках вы можете создать собственные категории так, чтобы они подходили под ваши нужды. + Регулярно обращайтесь сюда + Помощник Glucosio предоставляет регулярные советы. Мы работаем над усовершенствованием нашего помощника, поэтому обращайтесь сюда за советами, которые вы сможете использовать для того, чтобы получить большую пользу от Glucosio, а также за другими полезными советами. + Отправьте отзыв + Если вы обнаружите какие-либо технические проблемы или захотите отправить отзыв о работе Glucosio, вы можете сделать это в меню настроек. Это поможет нам улучшить Glucosio. + Добавить данные + Регулярно вводите данные об уровне глюкозы, в течением времени это поможет вам отслеживать уровень глюкозы. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Предпочтительный диапазон + Собственный диапазон + Минимальное значение + Максимальное значение + ПОПРОБОВАТЬ ПРЯМО СЕЙЧАС + diff --git a/app/src/main/res/values-rw-rRW/google-playstore-strings.xml b/app/src/main/res/values-rw-rRW/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-rw-rRW/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-rw-rRW/strings.xml b/app/src/main/res/values-rw-rRW/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-rw-rRW/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-ry-rUA/google-playstore-strings.xml b/app/src/main/res/values-ry-rUA/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-ry-rUA/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-ry-rUA/strings.xml b/app/src/main/res/values-ry-rUA/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-ry-rUA/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-sa-rIN/google-playstore-strings.xml b/app/src/main/res/values-sa-rIN/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-sa-rIN/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-sa-rIN/strings.xml b/app/src/main/res/values-sa-rIN/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-sa-rIN/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-sat-rIN/google-playstore-strings.xml b/app/src/main/res/values-sat-rIN/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-sat-rIN/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-sat-rIN/strings.xml b/app/src/main/res/values-sat-rIN/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-sat-rIN/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-sc-rIT/google-playstore-strings.xml b/app/src/main/res/values-sc-rIT/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-sc-rIT/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-sc-rIT/strings.xml b/app/src/main/res/values-sc-rIT/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-sc-rIT/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-sco-rGB/google-playstore-strings.xml b/app/src/main/res/values-sco-rGB/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-sco-rGB/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-sco-rGB/strings.xml b/app/src/main/res/values-sco-rGB/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-sco-rGB/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-sd-rPK/google-playstore-strings.xml b/app/src/main/res/values-sd-rPK/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-sd-rPK/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-sd-rPK/strings.xml b/app/src/main/res/values-sd-rPK/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-sd-rPK/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-se-rNO/google-playstore-strings.xml b/app/src/main/res/values-se-rNO/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-se-rNO/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-se-rNO/strings.xml b/app/src/main/res/values-se-rNO/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-se-rNO/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-sg-rCF/google-playstore-strings.xml b/app/src/main/res/values-sg-rCF/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-sg-rCF/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-sg-rCF/strings.xml b/app/src/main/res/values-sg-rCF/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-sg-rCF/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-sh-rHR/google-playstore-strings.xml b/app/src/main/res/values-sh-rHR/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-sh-rHR/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-sh-rHR/strings.xml b/app/src/main/res/values-sh-rHR/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-sh-rHR/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-si-rLK/google-playstore-strings.xml b/app/src/main/res/values-si-rLK/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-si-rLK/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-si-rLK/strings.xml b/app/src/main/res/values-si-rLK/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-si-rLK/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-sk-rSK/google-playstore-strings.xml b/app/src/main/res/values-sk-rSK/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-sk-rSK/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-sk-rSK/strings.xml b/app/src/main/res/values-sk-rSK/strings.xml new file mode 100644 index 00000000..9bc1a5e9 --- /dev/null +++ b/app/src/main/res/values-sk-rSK/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Možnosti + Odoslať spätnú väzbu + Prehľad + História + Tipy + Ahoj. + Ahoj. + Podmienky používania. + Prečítal som si a súhlasím s Podmienkami používania + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Krajina + Vek + Prosím zadajte správny vek. + Pohlavie + Muž + Žena + Iné + Typ cukrovky + Typ 1 + Typ 2 + Preferovaná jednotka + Zdieľať anonymne údaje pre výskum. + Tieto nastavenia môžete neskôr zmeniť. + ĎALEJ + ZAČÍNAME + No info available yet. \n Add your first reading here. + Pridať hladinu glukózy v krvi + Koncentrácia + Dátum + Čas + Namerané + Pred raňajkami + Po raňajkách + Pred obedom + Po obede + Pred večerou + Po večeri + Všeobecné + Znovu skontrolovať + Noc + Ostatné + ZRUŠIŤ + PRIDAŤ + Prosím, zadajte platnú hodnotu. + Vyplňte prosím všetky položky. + Odstrániť + Upraviť + odstránený 1 záznam + SPÄŤ + Posledná kontrola: + Trend za posledný mesiac: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + O programe + Verzia + Podmienky používania + Typ + Weight + Vlastné kategórie meraní + + Jedzte viac čerstvých, nespracovaných potravín, pomôžete tak znížiť príjem sacharidov a cukrov. + Čítajte informácie o nutričných hodnotách na balených potravinách a nápojoch pre kontrolu príjmu sacharidov a cukrov. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + Pri stravovaní mimo domov nejedzte obalované, alebo vysmážané jedlá. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Obmedzte množstvo soli, ktorú používate pri varení a ktorú pridávate do jedla po dovarení. + + Asistent + AKTUALIZOVAŤ TERAZ + OK, GOT IT + ODOSLAŤ SPÄTNÚ VÄZBU + PRIDAŤ MERANIE + Aktualizujte vašu hmotnosť + Uistite sa, aby bola vaša váha vždy aktuálna, aby mal Glucosio čo najpresnejšie údaje. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Vytvoriť kategórie + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Odoslať spätnú väzbu + Ak nájdete nejaké technické problémy, alebo nám chcete zanechať spätnú väzbu o Glucosio odporúčame vám ju odoslať cez položku v nastaveniach. Pomôžete tak vylepšiť Glucosio. + Pridať meranie + Uistite sa, aby ste pravidelne pridávali hodnoty hladiny glykémie tak, aby sme vám mohli pomôcť priebežne sledovať hladiny glukózy. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-sl-rSI/google-playstore-strings.xml b/app/src/main/res/values-sl-rSI/google-playstore-strings.xml new file mode 100644 index 00000000..36ee0de6 --- /dev/null +++ b/app/src/main/res/values-sl-rSI/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio, sladkornim bolnikom namenjena aplikacije, je brezplačna in odprto kodna rešitev + Z uporabo Glucosio, lahko vnašate in spremljate ravni glukoze v krvi, s posredovanjem demografskih in anonimnih gibanj glukoze anonimno podpirate raziskave o diabetesu in prebirate uporabne nasvete našega pomočnika. Glucosio spoštuje vašo zasebnost in vam vedno daje nadzor nad vašimi podatki. + * Posvečeno uporabniku. Aplikacija Glucosio je narejena z funkcijami in oblikovanjem, ki ustreza uporabnikovim potrebam in jo stalno izboljšujemo glede na vaše povratne informacije. + * Odprto kodna. Glucosio aplikacija vam daje svobodo pri uporabi, kopiranju, preučevanju in spreminjanju izvorne kode v naših aplikacijah, da lahko prispevate k Glucosio projektu. + * Urejanje podatkov. Glucosio vam omogoča, da sledite in urejate podatke vašega diabetesa na intuitivnem, sodobnem vmesniku, kjer boste prejeli povratne informacije drugih diabetikov. + * Podprite raziskave. Glucosio aplikacija uporabnikom daje možnost, da lahko z raziskovalci anonimno delijo podatke diabetesa in demografske podatke. + Vse napake, težave ali želje nam sporočite na: + https://github.com/glucosio/android + Več informacij: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-sl-rSI/strings.xml b/app/src/main/res/values-sl-rSI/strings.xml new file mode 100644 index 00000000..9e328647 --- /dev/null +++ b/app/src/main/res/values-sl-rSI/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Nastavitve + Pošljite povratne informacije + Pregled + Zgodovina + Nasveti + Dobrodošli. + Dobrodošli. + Pogoji uporabe. + Sprejmem pogoje uporabe + Vsebina spletne strani Glucosio in aplikacij, besedilo, grafike, slike in ostali material (\"Content\") so informativne narave. Vsebina ni namenjena kot nadomestilo za strokovni zdravniški nasvet, diagnozo ali zdravljenje. Uporabnike Glucosio storitev spodbujamo, da se vedno posvetujejo z zdravnikom ali drugim usposobljenim zdravstvenim osebjem o vseh vprašanjih, ki bi jih imeli o svojem zdravstvenem stanju. Ne ignorirajte strokovnega zdravniškega nasveta in ne odlašajte iskanje pomoči zaradi nečesa, kar ste prebrali na spletni strani Glucosio ali v naših aplikacijah. Spletna stran Glucosio, blog, Wiki stran in ostala vsebina, ki je dostopna spletnim brskalnikom (\"Website\") je namenjena samo za opisane namene.\n Zanašanje na katero koli informacijo, ki jo je posredovalo podjetje Glucosio, člani ekipe Glucosio, prostovoljci in drugi osebe, ki objavljajo na spletni strani ali aplikacijah, je izključno vaša lastna odgovornost. Stran in vsebina so na voljo \"tako kot so\". + Preden začnete, potrebujemo nekaj podatkov. + Država + Starost + Vnesite veljavno starost. + Spol + Moški + Ženska + Ostalo + Sladkorna bolezen tipa + Tip 1 + Tip 2 + Želena enota + Delite anonimne podatke za raziskave. + Spremenite lahko spremenite kasneje. + NASLEDNJI + ZAČNI + Informacije še niso na voljo. \n Dodajte svojo prvo meritev. + Dodaj raven glukoze v krvi + Koncentracija + Datum + Ura + Izmerjene vrednosti + Pred zajtrkom + Po zajtrku + Pred kosilom + Po kosilu + Pred večerjo + Po večerji + Splošno + Ponovno + Noč + Ostalo + PREKLIČI + DODAJ + Vnesite veljavno vrednost. + Prosimo, izpolnite vsa polja. + Izbriši + Uredi + 1 meritev je bila izbrisana + RAZVELJAVI + Zadnja meritev: + Spremembe v zadnjem mesecu: + v obsegu in zdravju + Mesec + Dan + Teden + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + Vizitka + Različica + Pogoji uporabe + Tip + Teža + Uporabnikove kategorije merjenja + + Uživajte več sveže, neobdelane hrane. S tem boste zmanjšali vnos ogljikovih hidratov in sladkorja. + Preberite oznako na pakiranih živilih in pijači in se seznanite z vnosom sladkorja in ogljikovih hidratov. + Ko jeste zunaj, prosite za ribo ali meso, ki je pečeno brez dodatnega masla ali olja. + Ko jeste zunaj, vprašajte, če imajo jedi z nizko vsebnostjo natrija. + Ko jeste zunaj, pojejte enako porcijo kot doma in odnesite ostanke s seboj. + Ko jeste zunaj, prosite za nizkokalorične dodatke, kot je solatni preliv, tudi, če ni napisan na meniju. + Ko jeste zunaj, vprašajte, če je možna menjava. Namesto pečenega krompirčka vzemite dvojno zelenjavno prilogo, solato, stročji fižol ali brokoli. + Ko jeste zunaj, naročite hrano, ki ni panirana ali ocvrta. + Ko jeste zunaj, vprašajte za omake in solatne prelive, ki jih nimajo v meniju. + Oznaka brez sladkorja ne pomeni, da je izdelek brez dodanega sladkorja. Pomeni 0,5 g sladkorja na porcijo, zato bodite previdni, da si ne privoščite preveč izdelkov brez sladkorja. + Strmenje k zdravi telesni teži vam bo pomagalo nadzirati krvni sladkor. Vaš zdravnik, dietni svetovalec in fitnes trener vam lahko pripravijo načrt, ki vam bo pomagal na vaši poti. + Preverjajte raven sladkorja v krvi in jo dvakrat dnevno beležite z aplikacijo kot je Glucosio. To vam bo pomagalo, da se boste zavedali vpliva hrane in življenjskega stila. + Pridobite si A1c krvne teste in ugotovite vašo povprečno raven sladkorja v krvi za pretekle 2 do 3 mesece. Vaš zdravnik vam bo povedal, kako pogosto morate te teste opravljati. + Spremljanje količine zaužitih ogljikovih hidratov je tako pomembno kot preverjanje količine sladkorja v krvi, saj nanjo vplivajo ogljikovi hidrati vplivajo. O vnosu ogljikovih hidratov se pogovorite s svojim zdravnikom ali dietnim svetovalcem. + Nadzorovanje krvnega tlaka, holesterola in trigliceridov je pomembno, saj ste diabetiki bolj dovzetni za bolezni srca. + Obstaja več diet in pristopov, kako jesti bolj zdravo in kako zmanjšati vplive sladkorne bolezni. Poiščite nasvet strokovnjaka za diete, kaj bi bilo najboljše za vas in za vaš proračun. + Redna vadbe je za sladkorne bolnike izrednega pomena, saj vam pomaga vzdrževati pravilno telesno težo. S svojim osebnim zdravnikom se pogovorite, katere vaje so primerne za vas. + Pomanjkanje spanja lahko vodi v povečanje apetita in posledično v hranjenje s hitro pripravljeno hrano, kar lahko negativno vpliva na vaše zdravje. Zagotovite si dober spanec in se posvetujte s strokovnjakom, če imate težave. + Stres ima lahko negativen vpliv na diabetes. O obvladovanju stresa se pogovorite s svojim zdravnikom ali drugim zdravstvenim osebjem. + Redni letni obiski zdravnika in pogosta komunikacija skozi celo leto je za diabetike pomembna in preprečuje nenadne zdravstvene težave. + Zdravila, ki vam jih je predpisal zdravnik, morate jemati redno, tudi, če pride do manjših odstopanj v ravni sladkorja v krvi ali povzročajo druge stranske učinke. Če imate težave, se posvetujte s svojim zdravnikom o morebitni zamenjavi zdravil. + + + Starejši diabetiki so zaradi diabetesa lahko bolj podvrženi zdravstvenim težavam. Pogovorite se s svojim zdravnikom, kako vaša starost vpliva na vaš diabetes in na kaj morate paziti. + Omejite količino soli uporabljate pri kuhanju in ki jo dodajate že pripravljenim jedem. + + Pomočnik + POSODOBI ZDAJ + V REDU + POŠLJI POVRATNO INFORMACIJO + DODAJ MERITEV + Posodobite svojo težo + Poskrbite, da redno posodabljate svojo težo, tako, da ima aplikacija Glucosio točne informacije. + Posodobitev vaše raziskave + Vedno lahko izbirate, če želite za namene raziskav svoje podatke deliti. Vsi podatki, ki jih delite so popolnoma anonimni. Posredujemo samo demografske podatke in gibanje sladkorja v krvi. + Ustvari kategorije + Aplikacija Glucosio ima privzete kategorije za vnos glukoze, vendar si lahko ustvarite svoje lastne kategorije in jih v nastavitvah uredite, da bodo ustrezale vašim potrebam. + Pogosto preverite + Asistent v aplikaciji Glucosio vam redno ponuja nasvete. Ker se zavedamo pomembnosti, ga bomo redno nadgrajevali, zato ga večkrat preverite in se seznanite z nasveti, ki bodo omogočili boljšo uporabniško izkušnjo in vam bili v dodatno pomoč. + Pošlji povratno informacijo + Če boste imeli katero koli tehnično vprašanje ali povratno informacijo, vas prosimo, da nam jo pošljete preko menija v nastavitvah. Samo tako bomo lahko aplikacijo Glucosio redno izboljševali. + Dodaj meritev + Poskrbite, da redno dodajate vaše odčitke glukoze, da vam lahko pomagamo slediti vaši ravni glukoze. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Zaželen obseg + Uporabnikov obseg + Najmanjša vrednost + Največja vrednost + Preizkusite + diff --git a/app/src/main/res/values-sma-rNO/google-playstore-strings.xml b/app/src/main/res/values-sma-rNO/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-sma-rNO/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-sma-rNO/strings.xml b/app/src/main/res/values-sma-rNO/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-sma-rNO/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-sn-rZW/google-playstore-strings.xml b/app/src/main/res/values-sn-rZW/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-sn-rZW/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-sn-rZW/strings.xml b/app/src/main/res/values-sn-rZW/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-sn-rZW/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-so-rSO/google-playstore-strings.xml b/app/src/main/res/values-so-rSO/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-so-rSO/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-so-rSO/strings.xml b/app/src/main/res/values-so-rSO/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-so-rSO/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-son-rZA/google-playstore-strings.xml b/app/src/main/res/values-son-rZA/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-son-rZA/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-son-rZA/strings.xml b/app/src/main/res/values-son-rZA/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-son-rZA/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-sq-rAL/google-playstore-strings.xml b/app/src/main/res/values-sq-rAL/google-playstore-strings.xml new file mode 100644 index 00000000..06b5c928 --- /dev/null +++ b/app/src/main/res/values-sq-rAL/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Duke përdorur Glucosio, ju mund të fusni dhe të gjurmoni nivelet e glukozës në gjakë, të mbështesni në mënyrë anonime kërkimet rreth diabetit duke kontribuar me trendet demografike dhe anonime të glukozës, si edhe të merni këshilla të vlefshme nëpërmjet asistentit tonë. Glukosio respekton privatësin tuaj dhe ju jeni gjithmon në kontroll të të dhënave tuaja. + Përdoruesi i vënë në qëndër. Aplikacionet e Glukosio janë të ndërtuara me mjete dhe me një dizajn që përputhet me kërkesat e përdoruesit dhe ne jemi gjithmonë të hapur për sugjerime për përmirësime të mëtejshme. + Me kod burimi të hapur. Aplikacionet e Glukosio ju japin juve lirinë që të përdorni, kopjoni, studioni dhe ndryshoni kodin burim të secilit nga aplikacionet tona dhe madje edhe të kontribuoni në projektin Glukosio. + Menaxho të dhënat. Glukosio ju lejonë që të gjurmoni dhe menaxhoni të dhënat tuaja të diabetit nga një ndërfaqje intuitive dhe moderne e ndërtuar me sugjerimet e diabetikëve. + Mbështet kërkimin. Aplikacionet e Glukosio i japin përdoruesëve mundësin që të futen dhe të shpërndajnë në mënyrë anonime me kërkuesit të dhënat e tyre për diabitin dhe informacionet demografike. + Ju lutem plotësoni të metat, problemet ose kërkesat për mjete të tjera te: + https://github.com/glucosio/android + Më shume detaje: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-sq-rAL/strings.xml b/app/src/main/res/values-sq-rAL/strings.xml new file mode 100644 index 00000000..0152b8a7 --- /dev/null +++ b/app/src/main/res/values-sq-rAL/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Parametrat + Dërgo përshtypjet + Pasqyra + Historia + Këshilla + Përshëndetje. + Përshëndetje. + Termat e Përdorimit. + I kam lexuar dhe i pranoj Termat e Përdorimit + Përmbajtja e websitit dhe aplikacioneve Glucosio, si teksti, grafikët, imazhet dhe materiale të tjera janë vetëm për qëllime informuese. Përmbajtja nuk ka si synim të jetë një zëvëndësim i këshillave profesionale mjekësore, diagnozave apo trajtimit. Ne i inkurajojmë përdoruesit e Glucosio që gjithmonë të kërkojnë këshillën e mjekut ose të personave të tjerë të kualifikuar për çështjtet e shëndetit për pyetjet që ata mund të kenë rreth gjëndjes së tyre shëndetësore. Kurrë nuk duhet ta shpërfillni këshillën mjekësore të një profesionisti ose të mos e kërkoni atë për shkak të diçkaje që keni lexuar në websitin e Glucoson ose në ndonjë nga aplikacionet tona. Websiti i Glucosio, Blogu, Wiki, dhe përmbajtje të tjera të arritshme nëpërmjet kërkimit në web duhet të përdoren vetëm për qëllimet e përshkruara më sipër. Besimi te çdo informacion i siguruar nga Glucosio, antarët e skuadrës së Glucosio, vullnetarët dhe personat e tjerë që shfaqen në site ose ne aplikacionet tona është vetëm në dorën tuaj. Siti dhe Përmbajtja ju sigurohen me baza \"siç është\". + Na duhen vetëm disa gjëra të vogla para se të fillojmë. + Vendi + Mosha + Ju lutem vendosni një moshë të vlefshme. + Gjinia + Mashkull + Femër + Tjetër + Lloji i diabetit + Lloji 1 + Lloji 2 + Njësia e preferuar + Kontribo me të dhëna anonime për kërkime shkencore. + Mund t\'i ndryshoni këto në parametrat më vonë. + Tjetri + FILLO + Nuk ka ende informacione në dispozicion. Shtoni leximin tuaj të parë këtu. + Shto Nivelin e Glukozës në Gjak + Përqendrimi + Data + Koha + E matur + Para mëngjesit + Pas mëngjesit + Para drekës + Pas drekës + Para darkës + Pas darkës + Të përgjithshme + Kontrollo përsëri + Natë + Tjetër + ANULLO + SHTO + Ju lutemi shtoni një vlerë të vlefshme. + Ju lutem plotësoni të gjitha fushat. + Fshij + Edito + 1 lexim u fshi + RIKTHE + Shikimi i fundit: + Tendenca në muajin e fundit: + brenda kufinjve dhe i shëndetshëm + Muaj + Dita + Java + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + Rreth nesh + Versioni + Termat e përdorimit + Tipi + Pesha + Kategoria e matjeve të zakonshme + + Hani ushqime të freskëta dhe të papërpunuara për të ndihmuar reduktimin e karbohidrateve dhe të nivelit të sheqerit. + Lexoni etiketën e ushqimeve dhe pijeve të paketuara për të kontrolluar marrjen e sheqerit dhe karbohidrateve. + Kur të hani jashtë, kërkoni për peshk ose mish të pjekur pa gjalp ose vaj shtesë. + Kur të hani jashtë, kërkoni ushqime me nivel të ulët natriumi. + Kur të hani jashtë, hani vakte me të njëjtën sasi sa do hanit edhe në shtëpi dhe pjesën e mbetur merreni me vete. + Kur të hani jashtë kërkoni për artikuj me kalori të ulëta, si salcat për sallatën edhe nëse ato nuk janë në menu. + Kur të hani jashtë kërkoni për zëvëndësime. Në vend të patateve të skuqura, kërkoni një porosi në sasi të dyfishtë me perime si sallata, bishtaja ose brokoli. + Kur të hani jashtë, porosisni ushqime që nuk janë të thata ose të skuqura. + Kur të hani jashtë kërkoni për salca, leng mishi dhe sallatën anës. + Pa sheqer nuk do të thotë me të vërtetë pa sheqer. Do të thotë 0.5 gram (g) sheqer për çdo vakt, kështu që tregohuni të kujdesshëm që të mos e teproni me shumë artikuj pa sheqer. + Të arrish një peshë të shëndetshme ndihmon në kontrollin e nivelit të sheqerit në gjak. Doktori juaj, dietologu dhe trajneri i fitnesit mund te te prezantojnë me nje plan që do funksionojë për ju. + Të kontrollosh nivelin e substancave në gjak dhe ta gjurmosh atë me një aplikacion si Glucosio dy herë në ditë, do ju ndihmojë të jeni të ndërgjegjshëm për rezultatet e ushqimit dhe të stilit tuaj të jetesës. + Bëni testet A1c të gjakut për të zbuluar nivelin mesatar të sheqerit në gjak për 2 deri në 3 muajt e fundit. Doktori juaj duhet t\'ju tregojë sesa shpesh ky test duhet të kryhet. + Gjurmimi i sasisë së karbohidrateve që konsumoni mund të jetë po aq e rëndësishme sa kontrolli i nivelit të substancave në gjak pasi karbohidratet influencojnë ndjeshëm nivelin e glikozës në gjak. Flisni me një doktor ose me një dietolog për marrjen e karbohidrateve. + Kontrolli i presionit të gjakut, kolesterolit dhe nivelit të triglicerideve është e rëndësishme pasi diabetikët janë të predispozuar për sëmundjet e zemrës. + Ka disa dieta të përafërta që mund të ndiqni për të ngrënë në mënyrë të shëndetshme dhe për të përmirësuar rezultatet e diabetit. Kërkoni këshilla nga një dietolog për atë që do të ishte më e mira për ju dhe buxhetin tuaj. + Të punosh për të bërë ushtrime rregullisht është vecanërisht e rëndësishme për diabetikët dhe mund të ndihmoj për te mbajtur një peshë të shëndetshme. Flisni me mjekun tuaj për ushtrimet që do jenë të përshtatshme për ju. + Pagjumësia mund tju bëjë të konsumoni ushqime të gatshme dhe si rezultat mund mund të ketë një impakt negativ në shëndetin tuaj. Siguroheni që të bëni një gjumë të mirë gjatë natës dhe këshillohuni me një specialist nëse këni vështirësi. + Stresi mund të ketë një impakt negativ për diabetin, flisni me mjekun tuaj ose me një specialist tjetër të kujdesit për shëndetin për të përballuar stresin. + Të shkuarit te doktori të paktën një herë vit dhe të paturit një komunikim të rregullt gjatë vitit është e rëndësishme për diabetikët për të parandaluar çdo fillim të papritur të problemeve shëndetësore. + Merrini ilaçet tuaja siç i rekomandon mjeku juaj, edhe gabimet më të vogla me dozat mund të ndikojnë në nivelin e glukozës në gjak dhe të shkaktojnë efekte të tjera anësore. Nëse keni vështirësi me të mbajturit mend, pyesni doktorin tuaj ne lidhje me menaxhimin e mjekimit dhe opsioneve për të kujtuar. + + + Të moshuarit me diabet kanë një risk më të lartë për probleme shëndetësore të lidhura me diabetin. Flisni me doktorin tuaj sesi ndikon mosha në diabet dhe nga çfarë të keni kujdes. + Limitoni sasinë e kripës që përdorni gjatë gatimit të ushqimit dhe atë që i shtoni vaktit pasi ai është gatuar. + + Ndihmës + Përditëso tani + OK, E KUPTOVA + DËRGO PËRSHTYPJET + SHTO LEXIM + Përditëso peshën + Sigurohuni që të përditësoni peshën në mënyrë që Glucosio të ketë informacionet më të sakta. + Përditësoni kërkimin opt-in tuajin + Ju gjithmonë mund të keni mundësi për opt-in ose opt-out nga shpërndarja e kërkimeve për diabetin, por kujtoni që të gjitha të dhënat e shpërdara janë plotësisht anonime. Ne shpërndajm vetëm trendet demografike dhe nivelet e glukozës. + Krijo kategori + Glucosio vjenë me kategori të parazgjedhura për inputet e glukozës por ju mund të krijoni kategori të zakonshme tek parametrat që të përputhen me nevojat tuaja të veçanta. + Kontrolloni këtu shpesh + Ndihmësi nga Glucosio siguron këshilla të rregullta dhe do vazhdojë të përmirësohet, kështu që gjithmonë kontrolloni këtu për veprime të dobishme që mund të kryeni për të përmirësuar eksperiencën tuaj me Glucosio dhe për këshilla të tjera të dobishme. + Dërgo komente + Nëse keni ndonjë problem teknik ose doni të ndani përshtypjen tuaj rreth Glucosio ne ju inkurajojm që ti dërgoni ato në menun e parametrave në mënyrë që të na ndihmoni që ta përmirësojmë Glucosion. + Shto një lexim + Sigurohuni që ti shtoni rregullisht leximet tuaja rreth glukozës në mënyrë që ne të mund t\'ju ndihmojm të gjurmoni nivelet tuaja të glukozës me kalimin e kohës. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Gama e preferuar + Shtrirja e zakonshme + Vlera minimale + Vlera maksimale + Provoje tani + diff --git a/app/src/main/res/values-sr-rCS/google-playstore-strings.xml b/app/src/main/res/values-sr-rCS/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-sr-rCS/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-sr-rCS/strings.xml b/app/src/main/res/values-sr-rCS/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-sr-rCS/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-sr-rSP/google-playstore-strings.xml b/app/src/main/res/values-sr-rSP/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-sr-rSP/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-sr-rSP/strings.xml b/app/src/main/res/values-sr-rSP/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-sr-rSP/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-ss-rZA/google-playstore-strings.xml b/app/src/main/res/values-ss-rZA/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-ss-rZA/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-ss-rZA/strings.xml b/app/src/main/res/values-ss-rZA/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-ss-rZA/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-st-rZA/google-playstore-strings.xml b/app/src/main/res/values-st-rZA/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-st-rZA/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-st-rZA/strings.xml b/app/src/main/res/values-st-rZA/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-st-rZA/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-su-rID/google-playstore-strings.xml b/app/src/main/res/values-su-rID/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-su-rID/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-su-rID/strings.xml b/app/src/main/res/values-su-rID/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-su-rID/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-sv-rFI/google-playstore-strings.xml b/app/src/main/res/values-sv-rFI/google-playstore-strings.xml new file mode 100644 index 00000000..94747d0f --- /dev/null +++ b/app/src/main/res/values-sv-rFI/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio är en användarcentrerad gratisapp med öppen källkod för personer med diabetes + Genom att använda Glucosio, kan du registrera och spåra blodsockernivåer, anonymt stödja diabetesforskningen genom att bidra med demografiska och anonyma glukostrender och få användbara tips via vår assistent. Glucosio respekterar din integritet och du har alltid kontroll över dina data. + * Användarcentrerad. Glucosio appar byggs med funktioner och en design som matchar användarens behov och vi är ständigt öppna för återkoppling för förbättringar. + * Öppen källkod. Glucosio appar ger dig friheten att använda, kopiera, studera och ändra källkoden för någon av våra appar och även bidra till projektet Glucosio. + * Hantera Data. Med Glucosio kan du spåra och hantera dina diabetesdata från ett intuitivt, modernt gränssnitt byggt med feedback från diabetiker. + * Stödja forskning. Glucosio appar ger användarna möjlighet att välja om de vill dela anonymiserade diabetesuppgifter och demografisk information med forskare. + Vänligen skicka in eventuella buggar, frågor eller önskemål om funktioner på: + https://github.com/glucosio/android + Fler detaljer: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-sv-rFI/strings.xml b/app/src/main/res/values-sv-rFI/strings.xml new file mode 100644 index 00000000..31cd2da7 --- /dev/null +++ b/app/src/main/res/values-sv-rFI/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Inställningar + Skicka feedback + Översikt + Historik + Tips + Hallå. + Hallå. + Användarvillkor. + Jag har läst och accepterar användarvillkoren + Innehållet på Glucosios hemsida och appar, såsom text, grafik, bilder och annat material (\"innehållet\") är endast i informationssyfte. Innehållet är inte avsett att vara en ersättning för professionell medicinsk rådgivning, diagnos eller behandling. Vi uppmuntrar Glucosio-användare att alltid rådfråga sin läkare eller annan kvalificerad hälsoleverantör med eventuella frågor du har om ett medicinskt tillstånd. Aldrig bortse från professionell medicinsk rådgivning eller försening i söker det på grund av något du läst på Glucosio hemsida eller i våra appar. Glucosio hemsida, blogg, Wiki och andra web browser tillgängligt innehåll (\"webbplatsen\") bör användas endast för det ändamål som beskrivs ovan. \n förlitan på information som tillhandahålls av Glucosio, Glucosio medlemmar, volontärer och andra som förekommer på webbplatsen eller i våra appar är enbart på egen risk. Webbplatsen och innehållet tillhandahålls på grundval av \"som är\". + Vi behöver bara några få enkla saker innan du kan sätta igång. + Land + Ålder + Ange en giltig ålder. + Kön + Man + Kvinna + Annat + Diabetestyp + Typ 1 + Typ 2 + Önskad enhet + Dela anonym data för forskning. + Du kan ändra detta i inställningar senare. + Nästa + Kom igång + Ingen information tillgänglig ännu. \n Lägg till dina första värden här. + Lägg till blodsockernivå + Koncentration + Datum + Tid + Uppmätt + Före frukost + Efter frukost + Innan lunch + Efter lunch + Innan middagen + Efter middagen + Allmänt + Kontrollera igen + Natt + Annat + Avbryt + Lägg till + Ange ett giltigt värde. + Vänligen fyll i alla fält. + Ta bort + Redigera + 1 avläsning borttagen + Ångra + Senaste kontroll: + Trend under senaste månaden: + i intervallet och hälsosam + Månad + Day + Vecka + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + Om + Version + Användarvillkor + Typ + Vikt + Anpassad mätkategori + + Ät mer färska, obearbetade livsmedel för att minska intaget av kolhydrater och socker. + Läs näringsetiketten på förpackningar för mat och drycker för att kontrollera socker och kolhydrater. + När man äter ute, be om fisk eller kött kokt utan extra smör eller olja. + När man äter ute, fråga om de har maträtter med låg natriumhalt. + När man äter ute, ät samma portionsstorlekar som du skulle göra hemma och ta med resterna hem. + När man äter ute be om mat med lågt kaloriinnehåll, såsom salladsdressing, även om det inte finns på menyn. + När man äter ute be om att byta ut mat. I stället för pommes frites, begär en dubbel beställning av en grönsak som sallad, gröna bönor eller broccoli. + När man äter ute, beställ mat som inte är panerad eller stekt. + När man äter ute be om såser, brunsås och salladsdressing \"på sidan.\" + Sockerfritt betyder egentligen inte sockerfritt. Det innebär 0,5 gram (g) av socker per portion, så var noga med att inte frossa i alltför många sockerfria produkter. + På väg mot en hälsosam vikt hjälper det att kontrollera blodsockret. Din läkare, en dietist och en tränare kan komma igång med en plan som fungerar för dig. + Kontrollera din blodnivå och spåra den i en app som Glucosio två gånger om dagen, det kommer att hjälpa dig att bli medveten om resultaten från mat och livsstilsval. + Få A1c blodprover för att ta reda på din genomsnittliga blodsocker under de senaste två till tre månader. Läkaren bör tala om för dig hur ofta detta test kommer att behövas för att utföras. + Spårning hur många kolhydrater du förbrukar kan vara lika viktigt som att kontrollera blodnivåer eftersom kolhydrater påverkar blodsockernivåerna. Tala med din läkare eller dietist om kolhydratintag. + Styra blodtryck, kolesterol och triglyceridnivåer är viktigt eftersom diabetiker är mottagliga för hjärtsjukdom. + Det finns flera dietmetoder du kan vidta för att äta hälsosammare och bidra till att förbättra din diabetesresultat. Rådgör med en dietist om vad som fungerar bäst för dig och din budget. + Att arbeta på att få regelbunden motion är särskilt viktigt för dem med diabetes och kan hjälpa dig att behålla en hälsosam vikt. Tala med din läkare om övningar som kan vara lämpliga för dig. + Att ha sömnbrist kan få dig att äta mer, speciellt saker som skräpmat och som ett resultat kan det negativt påverka din hälsa. Var noga med att få en god natts sömn och konsultera en sömnspecialist om du har problem. + Stress kan ha en negativ inverkan på diabetes, prata med din läkare eller annan sjukvårdspersonal om att hantera stress. + Besök din läkare en gång om året och har regelbunden kommunikation under hela året är viktigt för att diabetiker ska förhindra plötsliga tillhörande hälsoproblem. + Ta din medicin som ordinerats av din läkare även små missar i din medicin kan påverka din blodsockernivå och orsaka andra biverkningar. Om du har svårt att minnas fråga din läkare om hantering av medicin och påminnelsealternativ. + + + Äldre diabetiker kan löpa större risk för hälsofrågor i samband med diabetes. Tala med din läkare om hur din ålder spelar en roll i din diabetes och vad man ska titta efter. + Begränsa mängden salt du använder för att laga mat och att som du lägger till måltider efter den har tillagats. + + Assistent + Uppdatera nu + Ok, fick den + Skicka in feedback + Lägg till värden + Uppdatera din vikt + Se till att uppdatera din vikt så att Glucosio har en mer exakt information. + Uppdatera din forskning om du vill vara med + Du kan alltid vara med eller inte vara med vid delning av diabetesforskningen, men kom ihåg alla uppgifter som delas är helt anonyma. Vi delar bara demografi och glukosnivå trender. + Skapa kategorier + Glucosio levereras med standardkategorier för glukos-indata, men du kan skapa egna kategorier i inställningarna för att matcha dina unika behov. + Kolla här ofta + Glucosio assistent ger regelbundna tips och kommer att fortsätta att förbättras, så kontrolera alltid här för nyttiga åtgärder som du kan vidta för att förbättra din erfarenhet av Glucosio och andra användbara tips. + Skicka in feedback + Om du hittar några tekniska problem eller har synpunkter om Glucosio rekommenderar vi att du skickar in den i inställningsmenyn för att hjälpa oss att förbättra Glucosio. + Lägga till ett värde + Var noga med att regelbundet lägga till dina glukosvärden så att vi kan hjälpa dig att spåra dina glukosnivåer över tiden. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Standardintervall + Anpassat intervall + Minvärde + Maxvärde + Prova det nu + diff --git a/app/src/main/res/values-sv-rSE/google-playstore-strings.xml b/app/src/main/res/values-sv-rSE/google-playstore-strings.xml new file mode 100644 index 00000000..94747d0f --- /dev/null +++ b/app/src/main/res/values-sv-rSE/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio är en användarcentrerad gratisapp med öppen källkod för personer med diabetes + Genom att använda Glucosio, kan du registrera och spåra blodsockernivåer, anonymt stödja diabetesforskningen genom att bidra med demografiska och anonyma glukostrender och få användbara tips via vår assistent. Glucosio respekterar din integritet och du har alltid kontroll över dina data. + * Användarcentrerad. Glucosio appar byggs med funktioner och en design som matchar användarens behov och vi är ständigt öppna för återkoppling för förbättringar. + * Öppen källkod. Glucosio appar ger dig friheten att använda, kopiera, studera och ändra källkoden för någon av våra appar och även bidra till projektet Glucosio. + * Hantera Data. Med Glucosio kan du spåra och hantera dina diabetesdata från ett intuitivt, modernt gränssnitt byggt med feedback från diabetiker. + * Stödja forskning. Glucosio appar ger användarna möjlighet att välja om de vill dela anonymiserade diabetesuppgifter och demografisk information med forskare. + Vänligen skicka in eventuella buggar, frågor eller önskemål om funktioner på: + https://github.com/glucosio/android + Fler detaljer: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-sv-rSE/strings.xml b/app/src/main/res/values-sv-rSE/strings.xml new file mode 100644 index 00000000..31cd2da7 --- /dev/null +++ b/app/src/main/res/values-sv-rSE/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Inställningar + Skicka feedback + Översikt + Historik + Tips + Hallå. + Hallå. + Användarvillkor. + Jag har läst och accepterar användarvillkoren + Innehållet på Glucosios hemsida och appar, såsom text, grafik, bilder och annat material (\"innehållet\") är endast i informationssyfte. Innehållet är inte avsett att vara en ersättning för professionell medicinsk rådgivning, diagnos eller behandling. Vi uppmuntrar Glucosio-användare att alltid rådfråga sin läkare eller annan kvalificerad hälsoleverantör med eventuella frågor du har om ett medicinskt tillstånd. Aldrig bortse från professionell medicinsk rådgivning eller försening i söker det på grund av något du läst på Glucosio hemsida eller i våra appar. Glucosio hemsida, blogg, Wiki och andra web browser tillgängligt innehåll (\"webbplatsen\") bör användas endast för det ändamål som beskrivs ovan. \n förlitan på information som tillhandahålls av Glucosio, Glucosio medlemmar, volontärer och andra som förekommer på webbplatsen eller i våra appar är enbart på egen risk. Webbplatsen och innehållet tillhandahålls på grundval av \"som är\". + Vi behöver bara några få enkla saker innan du kan sätta igång. + Land + Ålder + Ange en giltig ålder. + Kön + Man + Kvinna + Annat + Diabetestyp + Typ 1 + Typ 2 + Önskad enhet + Dela anonym data för forskning. + Du kan ändra detta i inställningar senare. + Nästa + Kom igång + Ingen information tillgänglig ännu. \n Lägg till dina första värden här. + Lägg till blodsockernivå + Koncentration + Datum + Tid + Uppmätt + Före frukost + Efter frukost + Innan lunch + Efter lunch + Innan middagen + Efter middagen + Allmänt + Kontrollera igen + Natt + Annat + Avbryt + Lägg till + Ange ett giltigt värde. + Vänligen fyll i alla fält. + Ta bort + Redigera + 1 avläsning borttagen + Ångra + Senaste kontroll: + Trend under senaste månaden: + i intervallet och hälsosam + Månad + Day + Vecka + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + Om + Version + Användarvillkor + Typ + Vikt + Anpassad mätkategori + + Ät mer färska, obearbetade livsmedel för att minska intaget av kolhydrater och socker. + Läs näringsetiketten på förpackningar för mat och drycker för att kontrollera socker och kolhydrater. + När man äter ute, be om fisk eller kött kokt utan extra smör eller olja. + När man äter ute, fråga om de har maträtter med låg natriumhalt. + När man äter ute, ät samma portionsstorlekar som du skulle göra hemma och ta med resterna hem. + När man äter ute be om mat med lågt kaloriinnehåll, såsom salladsdressing, även om det inte finns på menyn. + När man äter ute be om att byta ut mat. I stället för pommes frites, begär en dubbel beställning av en grönsak som sallad, gröna bönor eller broccoli. + När man äter ute, beställ mat som inte är panerad eller stekt. + När man äter ute be om såser, brunsås och salladsdressing \"på sidan.\" + Sockerfritt betyder egentligen inte sockerfritt. Det innebär 0,5 gram (g) av socker per portion, så var noga med att inte frossa i alltför många sockerfria produkter. + På väg mot en hälsosam vikt hjälper det att kontrollera blodsockret. Din läkare, en dietist och en tränare kan komma igång med en plan som fungerar för dig. + Kontrollera din blodnivå och spåra den i en app som Glucosio två gånger om dagen, det kommer att hjälpa dig att bli medveten om resultaten från mat och livsstilsval. + Få A1c blodprover för att ta reda på din genomsnittliga blodsocker under de senaste två till tre månader. Läkaren bör tala om för dig hur ofta detta test kommer att behövas för att utföras. + Spårning hur många kolhydrater du förbrukar kan vara lika viktigt som att kontrollera blodnivåer eftersom kolhydrater påverkar blodsockernivåerna. Tala med din läkare eller dietist om kolhydratintag. + Styra blodtryck, kolesterol och triglyceridnivåer är viktigt eftersom diabetiker är mottagliga för hjärtsjukdom. + Det finns flera dietmetoder du kan vidta för att äta hälsosammare och bidra till att förbättra din diabetesresultat. Rådgör med en dietist om vad som fungerar bäst för dig och din budget. + Att arbeta på att få regelbunden motion är särskilt viktigt för dem med diabetes och kan hjälpa dig att behålla en hälsosam vikt. Tala med din läkare om övningar som kan vara lämpliga för dig. + Att ha sömnbrist kan få dig att äta mer, speciellt saker som skräpmat och som ett resultat kan det negativt påverka din hälsa. Var noga med att få en god natts sömn och konsultera en sömnspecialist om du har problem. + Stress kan ha en negativ inverkan på diabetes, prata med din läkare eller annan sjukvårdspersonal om att hantera stress. + Besök din läkare en gång om året och har regelbunden kommunikation under hela året är viktigt för att diabetiker ska förhindra plötsliga tillhörande hälsoproblem. + Ta din medicin som ordinerats av din läkare även små missar i din medicin kan påverka din blodsockernivå och orsaka andra biverkningar. Om du har svårt att minnas fråga din läkare om hantering av medicin och påminnelsealternativ. + + + Äldre diabetiker kan löpa större risk för hälsofrågor i samband med diabetes. Tala med din läkare om hur din ålder spelar en roll i din diabetes och vad man ska titta efter. + Begränsa mängden salt du använder för att laga mat och att som du lägger till måltider efter den har tillagats. + + Assistent + Uppdatera nu + Ok, fick den + Skicka in feedback + Lägg till värden + Uppdatera din vikt + Se till att uppdatera din vikt så att Glucosio har en mer exakt information. + Uppdatera din forskning om du vill vara med + Du kan alltid vara med eller inte vara med vid delning av diabetesforskningen, men kom ihåg alla uppgifter som delas är helt anonyma. Vi delar bara demografi och glukosnivå trender. + Skapa kategorier + Glucosio levereras med standardkategorier för glukos-indata, men du kan skapa egna kategorier i inställningarna för att matcha dina unika behov. + Kolla här ofta + Glucosio assistent ger regelbundna tips och kommer att fortsätta att förbättras, så kontrolera alltid här för nyttiga åtgärder som du kan vidta för att förbättra din erfarenhet av Glucosio och andra användbara tips. + Skicka in feedback + Om du hittar några tekniska problem eller har synpunkter om Glucosio rekommenderar vi att du skickar in den i inställningsmenyn för att hjälpa oss att förbättra Glucosio. + Lägga till ett värde + Var noga med att regelbundet lägga till dina glukosvärden så att vi kan hjälpa dig att spåra dina glukosnivåer över tiden. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Standardintervall + Anpassat intervall + Minvärde + Maxvärde + Prova det nu + diff --git a/app/src/main/res/values-sw-rKE/google-playstore-strings.xml b/app/src/main/res/values-sw-rKE/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-sw-rKE/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-sw-rKE/strings.xml b/app/src/main/res/values-sw-rKE/strings.xml new file mode 100644 index 00000000..9cb0941c --- /dev/null +++ b/app/src/main/res/values-sw-rKE/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Mazingira + Tuma maoni + Muhtasari + Historia + Vidokezo + Habari. + Habari. + Masharti ya matumizi. + Nimepata kusoma na kukubali masharti ya matumizi + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + Tunahitaji tu mambo machache ya haraka kabla ya wewe kuanza. + Nchi + Umri + Tafadhali andika umri halali. + Jinsia + Mwanamume + Mwanamke + Nyingine + Aina ya ugonjwa wa kisukari + Aina ya kwanza + Aina ya pili + Kitengo unayopendelea + Kushiriki data bila majina kwa ajili ya utafiti. + Unaweza kubadilisha mazingira haya baadaye. + IJAYO + Pata kuanza + Hakuna taarifa zilizopo bado. Ongeza yako kwanza kusoma hapa. + Ongeza kiwango cha Glucose katika damu + Ukolezi + Tarehe + Wakati + Imepimwa + Kabla ya kifungua kinywa + Baada ya kifungua kinywa + Kabla ya chakula cha mchana + Baada ya chakula cha mchana + Kabla ya chakula cha jioni + Baada ya chakula cha jioni + Kijumla + Kagua tena + Usiku + Nyingine + GHAIRI + ONGEZA + Tafadhali ingiza thamani hakika. + Tafadhali jaza maeneo yote. + Futa + Hariri + usomaji 1 imefutwa + Tengua + Kuangalia ya mwisho: + Mwenendo zaidi ya mwezi uliopita: + katika mbalimbali na afya njema + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + Kuhusu + Toleo + Masharti ya matumizi + Aina + Weight + Kategoria ya kipimo maalum + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Msaidizi + Sasisha sasa + SAWA, NIMEIPATA + WASILISHA MAONI + ONGEZA KUSOMA + Sasisha uzito wako + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-sw-rTZ/google-playstore-strings.xml b/app/src/main/res/values-sw-rTZ/google-playstore-strings.xml new file mode 100644 index 00000000..f2bd68d5 --- /dev/null +++ b/app/src/main/res/values-sw-rTZ/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + Maelezo zaidi: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-sw-rTZ/strings.xml b/app/src/main/res/values-sw-rTZ/strings.xml new file mode 100644 index 00000000..b10c433e --- /dev/null +++ b/app/src/main/res/values-sw-rTZ/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Mpangilio + Tuma mrejesho + Maelezo ya jumla + Historia + Vidokezi + Habari. + Habari. + Maneno yaliyotumika. + Nimesoma na kukubaliana na masharti ya matumizi + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + Tunahitaji mambo machache ya haraka kabla ya wewe kuanza. + Nchi + Umri + Tafadhali andika umri sahihi. + Jinsia + Mwanamume + Mwanamke + Nyingine + Aina ya ugonjwa wa kisukari + Aina ya kwanza + Aina ya pili + Kipimo kilichopendekezwa + Tushirikishe data bila jina kwa ajili ya utafiti. + Unaweza kubadilisha haya kwenye mpangilio hapo baadaye. + IFUATAYO + PATA KUANZA + Hakuna taarifa zinazopatikana kwa sasa.\n Ongeza kipimo chako cha kwanza hapa. + Andika kiwango cha Glukosi kilichopo kwenye damu + Ukolezi + Tarehe + Muda + Ulipima + Kabla ya kifungua kinywa + Baada ya kifungua kinywa + Kabla ya chakula cha mchana + Baada ya chakula cha mchana + Kabla ya chakula cha jioni + Baada ya chakula cha jioni + Kwa ujumla + Thibitisha tena + Usiku + Nyingine + BATILISHA + ONGEZA + Tafadhali ingiza thamani halali. + Tafadhali jaza maeneo yote. + Futa + Hariri + Usomi mmoja umefutwa + TENDUA + Kupima mara ya mwisho: + Mwenendo katika mwezi uliyopita: + ipo kwenye kiwango sahihi na afya njema + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + Kuhusu + Toleo + Masharti ya matumizi + Aina + Uzito + Kundi la kipimo maalum + + Kula vyakula freshi, visivyosindikwa ili kusaidia kupunguza kabohaidreti na uingizaji wa sukari mwilini. + Soma kitambulisho cha lishe kwenye pakiti za vyakula au vinywaji ili kudhibiti sukari na kabohaidreti unayoingiza mwilini. + Unapo kula nje ya nyumbani, agiza samaki au nyama ya kuchamshwa isiyotiwa siagi au mafuta. + Unapo kula nje ya nyumbani, uliza kama wana vyakula vyenye viwango vya chumvi vidogo. + Unapo kula nje ya nyumbani, kula kiasi kile kile ambacho ungekula nyumba na kinachobakia nenda nacho nyumbani. + Unapokula nje ya nyumbani, agiza vyakula vyenye kalori ndogo kama kachumbari, hata kama havipo kwenye menyu. + Unapokula nje ya nyumbani kumbuka kupiga oda ya mbogamboga kama kachumbari, maharage au... mara mbili ya oda ya chipsi. + Unapokula nje na nyumbani, usipige oda ya vyakula vya ngano au vya kukaanga. + Unapo kula nje ya nyumbani, ulizia mchuzi mzito, rojo na kachumbari \"kwa pembeni.\" + Bila sukari haimaanishi kwamba hakina sukari. Ila kinamaanisha gramu 0.5 za sukari kwa kila mlo moja, kwa hivyo kuwa makini usijishughulishe na vyakula vingi visivyo na sukari. + Unapo karibia uzito salama inasaidia sana kuthibiti kiwango cha sukari mwilini. Daktari wako, mwanalishe wako na anayekufundisha mazoezi anaweza kukusaidia kujua mpango ambao utaweza kukusaidia. + Kuangalia na kufuatilia kiwango chako cha damu mara mbili kwa siku kwa kutumia app kama Glucosio kitakusaidia kutambua matokeo kutoka kwenye chakula na uchaguzi wa mwenendo wa maisha. + Pata kipimo cha damu cha A1c kujua wastani wa sukari iliyo mwilini kwa miezi miwili hadi mitatu iliyopita. Daktari wako atakwambia kipimo hiki kitahitajika kuchukuliwa mara ngapi. + Kufuatilia kiwango cha kabohaidreti unachokula ni muhimu kama unavyoangalia kiwango cha sukari kwenye damu kwani kabohaidreti ndiyo inayo athiri kiwango cha sukari kwenye damu. Ongea kuhusu ulaji wa kabohaidreti na daktari wako au mwanalishe wako. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + Kuna njia nyingi za kufanya diet unaweza kula kwa afya zaidi na itakusaidia kuboresha matokeo yako ya ugonjwa huu wa kisukari. Omba ushauri kutoka kwa mwanalishe ya kwamba ni mlo gani utakufaa zaidi na bajeti yako. + Kufanya mazoezi mara nyingi ni muhimu kwa wale wenye ugonjwa wa kisukari na itakusaidia kudumisha uzito sahihi kiafya. Zungumza na daktari wako kuhusu mazoezi gani yatakayokufaa wewe. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Mtembelee daktari wako mara moja kwa mwaka na kuwasiliana naye mara kwa mara katika mwaka mzima ni muhimu kwa watu wenye ungonjwa wa kisukari ili kuzuia dharura za mara kwa mara zinazohusiana na matatizo ya afya. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Weka kikomo kwa kiasi cha chumvi unachotumia ukipika na pia kiasi cha chumvi unachoweka kwenye chakula ambacho kimeshapikwa. + + Msaidizi + HIFADHI SASA + SAWA, NIMEELEWA + WASILISHA MREJESHO + ONGEZA KIPIMO + Hifadhi uzito wapi + Hakikisha unahifadhi uzito wako ili Glucosio iwe na taarifa sahihi zaidi. + Hifadhi utafiti wako -muhimu + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Tengeneza makundi + Glucosio yaja na makundi yaliyoundwa tayari kwa ajili ya kuingiza kiwango cha glukosi ila unaweza pia kutengeneza makundi maalum kwneye mpangilio ili kuendana na upekee wa mahitaji yako. + Angalia hapa mara nyingi + Wasaidizi wa Glucosio hutoa vidokezo vya mara kwa mara ambavyo vitaendelea kuboreshwa, kwa hivyo angalia hapa mara kwa mara ilikuchua nini cha kufanya ili kuboresha uzoefu wako wa Glucosio na kwa kupata vidokezo vingine muhimu. + Wasilisha mrejesho + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Ongeza kipimo + Hakikisha kwamba una ongeza idadi ya kipimo cha glukosi kilichopo mwilini kila wakati ili tukusaidie kufautilia viwango vyako vya glukosi muda kwa muda. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Kiwango kilichopendekezwa + Kiwango maalum + Thamani ya chini + Thamani ya juu + TRY IT NOW + diff --git a/app/src/main/res/values-syc-rSY/google-playstore-strings.xml b/app/src/main/res/values-syc-rSY/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-syc-rSY/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-syc-rSY/strings.xml b/app/src/main/res/values-syc-rSY/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-syc-rSY/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-ta-rIN/google-playstore-strings.xml b/app/src/main/res/values-ta-rIN/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-ta-rIN/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-ta-rIN/strings.xml b/app/src/main/res/values-ta-rIN/strings.xml new file mode 100644 index 00000000..db5a3961 --- /dev/null +++ b/app/src/main/res/values-ta-rIN/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + அமைவுகள் + பின்னூட்டங்களை அனுப்பு + Overview + வரலாறு + குறிப்புகள் + வணக்கம். + வணக்கம். + பயன்பாட்டு முறைமை. + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + நாடு + வயது + சரியான வயதை உள்ளிடவும். + பாலினம் + ஆண் + பெண் + மற்ற + Diabetes type + வகை 1 + வகை 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + அடுத்து + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + தேதி + நேரம் + Measured + காலை உணவிற்க்கு முன் + காலை உணவிற்க்கு பின் + மதிய உணவிற்க்கு முன் + மதிய உணவிற்க்கு பின் + Before dinner + After dinner + பொதுவான + Recheck + இரவு + மற்ற + இரத்து செய் + சேர் + Please enter a valid value. + Please fill all the fields. + அழி + தொகு + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-tay-rTW/google-playstore-strings.xml b/app/src/main/res/values-tay-rTW/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-tay-rTW/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-tay-rTW/strings.xml b/app/src/main/res/values-tay-rTW/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-tay-rTW/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-te-rIN/google-playstore-strings.xml b/app/src/main/res/values-te-rIN/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-te-rIN/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-te-rIN/strings.xml b/app/src/main/res/values-te-rIN/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-te-rIN/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-tg-rTJ/google-playstore-strings.xml b/app/src/main/res/values-tg-rTJ/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-tg-rTJ/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-tg-rTJ/strings.xml b/app/src/main/res/values-tg-rTJ/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-tg-rTJ/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-th-rTH/google-playstore-strings.xml b/app/src/main/res/values-th-rTH/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-th-rTH/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-th-rTH/strings.xml b/app/src/main/res/values-th-rTH/strings.xml new file mode 100644 index 00000000..67f4e00f --- /dev/null +++ b/app/src/main/res/values-th-rTH/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + ตั้งค่า + ส่งคำติชม + ภาพรวม + ประวัติ + เคล็ดลับ + สวัสดี + สวัสดี + เงื่อนไขการใช้ + ฉันได้อ่านและยอมรับเงื่อนไขการใช้งาน + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + ประเทศ + อายุ + กรุณาระบุอายุที่ถูกต้อง + เพศ + ชาย + หญิง + อื่น ๆ + ชนิดของโรคเบาหวาน + ชนิดที่ 1 + ชนิดที่ 2 + หน่วยที่ต้องการ + แบ่งปันข้อมูลนิรนามเพิ่อการวิจัย + คุณสามารถเปลี่ยนการตั้งค่าเหล่านี้ในภายหลัง + ถัดไป + เริ่มต้นใช้งาน + ข้อมูลไม่เพียงพอ \n ป้อนข้อมูลของคุณที่นี่ + เพิ่มค่าระดับน้ำตาลในเลือด + ความเข้มข้น + วันที่ + เวลา + วัดเมื่อ + ก่อนอาหารเช้า + หลังอาหารเช้า + ก่อนอาหารกลางวัน + หลังอาหารกลางวัน + ก่อนอาหารเย็น + หลังอาหารเย็น + ทั่วไป + ตรวจสอบอีกครั้ง + กลางคืน + อื่น ๆ + ยกเลิก + เพิ่ม + กรุณาใส่ค่าถูกต้อง + กรุณากรอกข้อมูลให้ครบทุกรายการ + ลบ + แก้ไข + ลบแล้ว 1 รายการ + เลิกทำ + ตรวจสอบครั้งล่าสุด: + แนวโน้มช่วงเดือนที่ผ่านมา: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + เกี่ยวกับ + เวอร์ชั่น + เงื่อนไขการใช้งาน + ชนิด + น้ำหนัก + Custom measurement category + + กินอาหารสดหรือที่ไม่ผ่านการแปรรูปเพิ่มขึ้น เพื่อช่วยลดคาร์โบไฮเดรตและน้ำตาล + อ่านฉลากโภชนาการบนภาชนะบรรจุอาหารและเครื่องดื่มในการควบคุมการบริโภคน้ำตาลและคาร์โบไฮเดรต + เมื่อรับประทานอาหารนอกบ้าน ขอเป็นเนื้อปลาหรือเนื้อย่างที่ไม่ทาเนยหรือน้ำมัน + เมื่อรับประทานอาหารนอกบ้าน ขอเป็นอาหารโซเดียมต่ำ + เมื่อรับประทานอาหารนอกบ้าน รับประทานในสัดส่วนเดียวกับที่รับประทานที่บ้าน หากเหลือก็นำกลับบ้าน + เมื่อรับประทานอาหารนอกบ้าน เลือกในสิ่งที่ปริมาณแคลอรี่ต่ำ เช่นสลัดผัก แม้ว่าจะไม่อยู่ในเมนู + เมื่อรับประทานอาหารนอกบ้าน ขอเลือกเปลี่ยนเมนู เป็นต้นว่า แทนที่จะเป็นมันฝรั่งทอด ขอเป็นผักสลัด ถั่วลันเตาหรือบรอกโคลี่ + เมื่อรับประทานอาหารนอกบ้าน สั่งอาหารที่ไม่ใช่ขนมปัง หรือของทอด + เมื่อรับประทานอาหารนอกบ้าน ขอแยกซอสราดสลัดต่างหาก + ชูการ์ฟรีไม่ได้หมายความว่าจะปราศจากน้ำตาล หากแต่มีน้ำตาลอยู่ 0.5 กรัม (g) ต่อหนึ่งหน่วยการบริโภค ดังนั้นพึงระวังไม่หลงระเริงไปกับสินค้าชูการ์ฟรี + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + ตรวจเลือดดูระดับ HbA1c เพื่อดูระดับน้ำตาลเฉลี่ยสะสมในเลือดในรอบไตรมาสที่ผ่านมา แพทย์ของคุณควรจะแนะนำว่าจะต้องตรวจดูระดับ HbA1c บ่อยเพียงใด + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + ผู้ช่วย + อัพเดตเดี๋ยวนี้ + ได้ ฉันเข้าใจ + ส่งคำติชม + ADD READING + ปรับปรุงน้ำหนักของคุณ + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + ส่งคำติชม + ในการที่จะช่วยให้เราปรับปรุง Glucosio หากคุณพบปัญหาทางเทคนิคหรือมีข้อเสนอแนะใด ๆ คุณสามารถส่งข้อมูลให้เราได้ในเมนูการตั้งค่า + เพิ่มข้อมูล + ตรวจสอบให้แน่ใจว่าได้บันทึกระดับน้ำตาลกลูโคสเป็นประจำ เพื่อที่เราสามารถช่วยคุณติดตามระดับน้ำตาลกลูโคสตลอดเวลา + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + ช่วงที่ต้องการ + ช่วงที่กำหนดเอง + ค่าต่ำสุด + ค่าสูงสุด + TRY IT NOW + diff --git a/app/src/main/res/values-ti-rER/google-playstore-strings.xml b/app/src/main/res/values-ti-rER/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-ti-rER/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-ti-rER/strings.xml b/app/src/main/res/values-ti-rER/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-ti-rER/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-tk-rTM/google-playstore-strings.xml b/app/src/main/res/values-tk-rTM/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-tk-rTM/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-tk-rTM/strings.xml b/app/src/main/res/values-tk-rTM/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-tk-rTM/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-tl-rPH/google-playstore-strings.xml b/app/src/main/res/values-tl-rPH/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-tl-rPH/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-tl-rPH/strings.xml b/app/src/main/res/values-tl-rPH/strings.xml new file mode 100644 index 00000000..8059dcf6 --- /dev/null +++ b/app/src/main/res/values-tl-rPH/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Mga Setting + Magpadala ng feedback + Tinging-pangmalawakan + Kasaysayan + Mga tips + Kumusta. + Kumusta. + Patakaran sa Paggamit. + Binasa at sumasang-ayon ako sa Patakaran sa Paggamit + Ang mga nilalaman ng website at apps ng Glucosio, kagaya ng mga teksto, grapiks, larawan, st iba osng materyales (\"Nilalaman\") ay para sa kaalaman lamang. Ang nilalaman ay hindi pakay na panghalili sa propesyonal na payo ng doktor, diagnosis, o panlunas. Hinihikayat namin ang mga taga-gamit ng Glucosio na laginf kumonsulta sa doktor o sa iba pang kwalipikadong health provider sa kahit na anong katanungang tungkol sa inyong kundisyong pangkalusugan. Huwag isa-isang-tabi o ipagpa-bukas ang pagpapakonsulta nang dahil sa kung anong inyong nabasa sa website o sa apps ng Glucosio. Ang website, blog, wiki, at iba psng mga nilalamang nakakalap sa pamamagitan ng web browser (\"Website\") ay dapat lamang gamitin sa mga kadahilanang inilarawan sa itaas. \n Ang pagbabatay sa kahit alinmang impormasyong ibinahagi ng Glucosio, ng mga kasali sa pangkat Glucosio, mga boluntaryo at iba pang nakikita sa aming website o apps ay + Kinakailangan natin ng ilang mga bagay bago tayo magsimula. + Bansa + Edad + Paki lagay ang tamang edad. + Kasarian + Lalaki + Babae + Iba pa + Uri ng Diabetes + Type 1 + Type 2 + Ninanais na unit + Ibahagi ang mga anonymous data para sa pananaliksik. + Maaring palitang ang settings sa paglaon. + SUSUNOD + MAGSIMULA + Wala pang impormasyon. \n Ilagay ang iyong unang reading dito. + Ilagay ang Blood Glucose Level + Konsentrasyon + Petsa + Oras + Sinukat + Bago mag-almusal + Matapos mag-almusal + Bago mananghalian + Matapos mananghalian + Bago mag-hapunan + Matapos maghapunan + Pangkalahatan + Subukin muli + Gabi + Iba pa + Kanselahin + Idagdag + Mangyaring ilagay ang tamang value. + Paki-punan ang lahat ng kahon. + Burahin + Baguhin + 1 reading ang binura + Ibalik + Huling check: + Trend sa nakalipas na buwan: + pasok sa range at may kalusugan + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + Patungkol + Bersyon + Patakaran sa Paggamit + Uri + Weight + Kategorya ng pansariling sukatan + + Kumain ng mas maraming sariwa, hindi prinosesong pagkain upang mabawasan ang pagpasok sa katawan ng carbohydrates at asukal. + Basahin ang nutritional label sa mga nakapaketeng pagkain at inumin upang makontrol ang pagpasok sa katawan ng carbihydrate at asukal. + Kapag kumakain sa labas, piliin ang isda o karneng inihaw nang walang dagdag na butter o mantika. + Kung kakain sa labas, piliin ang mga pagkaing mababa sa sodium. + Kung kakain sa labas, kumain ng kaparehong sukat na kagaya nang kung kumakain sa bahay at iuwi ang mga tirang pagkain. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-tn-rZA/google-playstore-strings.xml b/app/src/main/res/values-tn-rZA/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-tn-rZA/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-tn-rZA/strings.xml b/app/src/main/res/values-tn-rZA/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-tn-rZA/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-tr-rTR/google-playstore-strings.xml b/app/src/main/res/values-tr-rTR/google-playstore-strings.xml new file mode 100644 index 00000000..b82744c0 --- /dev/null +++ b/app/src/main/res/values-tr-rTR/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio, kullanıcı bazlı, açık kaynak kodlu bir diyabet yardım uygulamasıdır + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Araştırmaları desteklemek. Glucosio apps kullanıcıların anonim diyabet veri ve demografik bilgi araştırmacılar ile paylaşmaya katılımı seçeneği sunar. + Lütfen herhangi bir dosya hatası, yavaşlama, sorun veya istekleriniz için buraya başvurun: + https://github.com/glucosio/android + Daha fazla bilgi: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-tr-rTR/strings.xml b/app/src/main/res/values-tr-rTR/strings.xml new file mode 100644 index 00000000..445976b0 --- /dev/null +++ b/app/src/main/res/values-tr-rTR/strings.xml @@ -0,0 +1,137 @@ + + + + Glucosio + Ayarlar + Geribildirim gönder + Önizleme + Geçmiş + İpuçları + Merhaba. + Merhaba. + Kullanım Şartları. + Kullanım şartlarını okudum ve kabul ediyorum + Glucosio Web sitesi, grafik, resim ve diğer malzemeleri (\"içerik\") gibi şeyler sadece +bilgilendirme amaçlıdır. Doktorunuzun söylediklerinin yanı sıra, size yardımcı olmak için hazırlanan profesyonel bir uygulamadır. Nitelikli sağlık denetimi için her zaman doktorunuza danışın. Uygulama profesyonel bir sağlık uygulamasıdır, fakat asla ve asla doktorunuza görünmeyi ihmal etmeyin ve uygulamanın söylediklerine göre doktorunuza gitmemezlik etmeyin. Glucosio Web sitesi, Blog, Wiki ve diğer erişilebilir içerik (\"Web sitesi\") yalnızca yukarıda açıklanan amaç için kullanılmalıdır. \n güven Glucosio, Glucosio ekip üyeleri, gönüllüler ve diğerleri tarafından sağlanan herhangi bir bilgi Web sitesi veya bizim uygulamamız içerisinde görülen sadece vasıl senin kendi tehlike üzerindedir. Site ve içeriği \"olduğu gibi\" bazında sağlanır. + Başlamadan önce birkaç şey yapmamız gerekiyor. + Ülke + Yaş + Lütfen geçerli bir yaş giriniz. + Cinsiyet + Erkek + Kadın + Diğer + Diyabet türü + Tip 1 + Tip 2 + Tercih edilen birim + Araştırma için kimliksiz bilgi gönder. + Bu ayarları daha sonra değiştirebilirsiniz. + SONRAKİ + BAŞLA + Bilgi henüz yok. \n Buraya ekleyebilirsiniz. + Kan glikoz düzeyini Ekle + Konsantrasyon + Tarih + Zaman + Ölçülen + Kahvaltıdan önce + Kahvaltıdan sonra + Öğle yemeğinden önce + Öğle yemeğinden sonra + Akşam yemeğinden önce + Akşam yemeğinden sonra + Genel + Yeniden denetle + Gece + Diğer + İptal + EKLE + Lütfen geçerli bir değer girin. + Lütfen tüm boşlukları doldurun. + Sil + Düzenle + 1 okuma silindi + GERİ AL + Son kontrol: + Son bir ay içindeki trend: + aralığın içinde bulunan ve aynı zamanda sağlıklı + Ay + Gün + Hafta + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + Hakkında + Sürüm + Kullanım Şartları + Tür + Ağırlık + Özel ölçüm kategorisi + + Karbonhidrat ve şeker alımını en aza indirmek için taze ve işlenmemiş gıdalar tüketin. + Paketlenmiş ürünlerin karbonhidrat ve şeker düzeyini kontrol etmek için etiketlerini okuyun. + Dışarıda yerken, ekstra hiç bir yağ veya tereyağı olmadan balık, et ızgara isteyin. + Dışarıda yerken, düşük sodyumlu yemekleri olup olmadığını sorun. + Dışarıda yerken, evde yediğiniz porsiyon kadar sipariş edin. Geri kalanları ise eve götürmeyi isteyin. + Dışarıda yerken düşük kalorilileri tercih edin, salata sosları gibi, menüde olmasa bile isteyin. + Dışarıda yemek yerken değişim istemekten çekinmeyin. Patates kızartması yerine çift porsiyon sebze isteyin, örneğin salata, yeşil fasulye veya brokoli gibi. + Dışarıda yerken kızartılmış ürünlerden kaçının. + Dışarıda yemek yerken sos istediğinizde salatanın \"kenarına\" koymalarını isteyin + Şekersiz demek, tamamen şeker içermiyor demek değildir. Porsiyon başına 0.5 gram şeker içeriyor demektir. Yani çok fazla \"şekersiz\" ürün tüketmeyin. + Hareket ederek kilo vermek kan şekerinizin kontrolünde size yardımcı olur. Bir doktordan, diyetisyenden veya fitness eğitmeninden çalışmanız için plan yardım alabilirsiniz. + Glucosio gibi uygulamalarla günde iki defa kan düzeyinizi kontrol etmek ve takip etmek sizi istenmeyen sonuçlardan uzak tutacaktır. + Son 2 - 3 aylık ortalama kan şekerinizi öğrenmek için A1c kan testi yapın. Doktorunuz bu testi ne sıklıkla yapmanız gerektiğini size söyleyecektir. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Diyabet hastalığı kalp duyarlı olduğundan tansiyon, kolesterol ve trigliserid düzeylerini kontrol etmek önemlidir. + Sağlıklı beslenme ve diyabet sonuçlar geliştirmek yardım için yapabileceğiniz birçok diyet yaklaşım vardır. Bir diyetisyenden tavsiye almak işinize yarayacaktır. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Yardımcı + Şimdi Güncelleştir + TAMAM, ANLADIM + GERİ BİLDİRİM GÖNDER + OKUMA EKLE + Kilonuzu güncelleştirin + Kilonuzu sık sık güncelleyin böylece Glucosio en en doğru bilgilere sahip olsun. + Araştırmanı güncelle opt-in + Her zaman opt-in yada opt-out diyabet gidişatını paylaşabilirsin, ama unutma paylaşılan tüm verilerin tamamen anonim olduğunu unutmayın. Paylaştığımız sadece demografik ve glikoz seviyesi eğilimleri. + Kategorileri oluştur + Glucosio glikoz girişi için varsayılan kategoriler bulundurmaktadır ancak benzersiz gereksinimlerinize ayarlarında özel kategoriler oluşturabilirsiniz. + Burayı sık sık kontrol et + Glucosio Yardımcısı düzenli ipuçları sağlar ve ilerlemeyi kaydeder, bu yüzden her zaman burayı, Glucosio deneyiminizi geliştirmek için yapabileceğiniz faydalı işlemler ve diğer yararlı ipuçları için kontrol edin. + Geribildirim Gönder + Eğer herhangi bir teknik sorun bulursanız veya Glucosio hakkında geribildiriminiz varsa Glucosio\'yu geliştirmemize yardımcı olmak için Ayarlar menüsünden geribildirim göndermeyi öneririz. + Bir okuma Ekle + Glikoz değerlerinizi düzenli olarak eklediğinizden emin olun böylece glikoz seviyenizi takip edebilelim. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Tercih edilen aralık + Özel Aralık + En küçük değer + Max. değer + ŞİMDİ DENE + diff --git a/app/src/main/res/values-ts-rZA/google-playstore-strings.xml b/app/src/main/res/values-ts-rZA/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-ts-rZA/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-ts-rZA/strings.xml b/app/src/main/res/values-ts-rZA/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-ts-rZA/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-tt-rRU/google-playstore-strings.xml b/app/src/main/res/values-tt-rRU/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-tt-rRU/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-tt-rRU/strings.xml b/app/src/main/res/values-tt-rRU/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-tt-rRU/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-tw-rTW/google-playstore-strings.xml b/app/src/main/res/values-tw-rTW/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-tw-rTW/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-tw-rTW/strings.xml b/app/src/main/res/values-tw-rTW/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-tw-rTW/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-ty-rPF/google-playstore-strings.xml b/app/src/main/res/values-ty-rPF/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-ty-rPF/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-ty-rPF/strings.xml b/app/src/main/res/values-ty-rPF/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-ty-rPF/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-ug-rCN/google-playstore-strings.xml b/app/src/main/res/values-ug-rCN/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-ug-rCN/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-ug-rCN/strings.xml b/app/src/main/res/values-ug-rCN/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-ug-rCN/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-uk-rUA/google-playstore-strings.xml b/app/src/main/res/values-uk-rUA/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-uk-rUA/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-uk-rUA/strings.xml b/app/src/main/res/values-uk-rUA/strings.xml new file mode 100644 index 00000000..5389089a --- /dev/null +++ b/app/src/main/res/values-uk-rUA/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Параметри + Надіслати відгук + Огляд + Історія + Рекомендації + Привіт. + Привіт. + Умови використання. + Я прочитав та приймаю умови використання + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Країна + Вік + Будь ласка, вкажіть правильний вік. + Стать + Чоловік + Жінка + Інше + Тип діабету + Тип 1 + Тип 2 + Бажані одиниці + Поділитися анонімними даними для подальшого дослідження. + Ви можете змінити ці налаштування пізніше. + НАСТУПНИЙ + РОЗПОЧНЕМО + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Дата + Час + Measured + Перед сніданком + Після сніданку + Перед обідом + Після обіду + Перед вечерею + Після вечері + General + Повторна перевірка + Ніч + Інше + СКАСУВАТИ + ДОДАТИ + Будь ласка, введіть припустиме значення. + Будь ласка, заповніть всі поля. + Вилучити + Редагувати + 1 reading deleted + СКАСУВАТИ + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + Якщо ви знайшли будь-які технічні недоліки або хочете написати відгук про Glucosio то ви можете зробити це в меню \"Параметри\", що допоможе нам покращити Glucosio. + Add a reading + Переконайтеся, що ви регулярно подаєте ваші показники глюкози, щоб ми могли допомогти вам відстежувати ваш рівень глюкози з часом. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-ur-rPK/google-playstore-strings.xml b/app/src/main/res/values-ur-rPK/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-ur-rPK/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-ur-rPK/strings.xml b/app/src/main/res/values-ur-rPK/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-ur-rPK/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-uz-rUZ/google-playstore-strings.xml b/app/src/main/res/values-uz-rUZ/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-uz-rUZ/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-uz-rUZ/strings.xml b/app/src/main/res/values-uz-rUZ/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-uz-rUZ/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-val-rES/google-playstore-strings.xml b/app/src/main/res/values-val-rES/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-val-rES/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-val-rES/strings.xml b/app/src/main/res/values-val-rES/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-val-rES/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-ve-rZA/google-playstore-strings.xml b/app/src/main/res/values-ve-rZA/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-ve-rZA/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-ve-rZA/strings.xml b/app/src/main/res/values-ve-rZA/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-ve-rZA/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-vec-rIT/google-playstore-strings.xml b/app/src/main/res/values-vec-rIT/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-vec-rIT/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-vec-rIT/strings.xml b/app/src/main/res/values-vec-rIT/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-vec-rIT/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-vi-rVN/google-playstore-strings.xml b/app/src/main/res/values-vi-rVN/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-vi-rVN/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-vi-rVN/strings.xml b/app/src/main/res/values-vi-rVN/strings.xml new file mode 100644 index 00000000..96f33220 --- /dev/null +++ b/app/src/main/res/values-vi-rVN/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Cài đặt + Gửi phản hồi + Tổng quan + Lịch sử + Mẹo + Xin chào. + Xin chào. + Điều khoản sử dụng. + Tôi đã đọc và chấp nhận các điều khoản sử dụng + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Quốc gia + Tuổi + Vui lòng nhập tuổi hợp lệ. + Giới tính + Nam + Nữ + Khác + Diabetes type + Type 1 + Type 2 + Preferred unit + Chia sẻ dữ liệu ẩn danh cho nghiên cứu. + Bạn có thể thay đổi này trong cài đặt sau đó. + TIẾP THEO + BẮT ĐẦU + No info available yet. \n Add your first reading here. + Thêm mức độ Glucose trong máu + Concentration + Ngày tháng + Thời gian + Đo + Trước khi ăn sáng + Sau khi ăn sáng + Trước khi ăn trưa + Sau khi ăn trưa + Trước khi ăn tối + Sau khi ăn tối + Tổng quát + Kiểm tra lại + Buổi tối + Khác + HỦY BỎ + THÊM + Vui lòng nhập một giá trị hợp lệ. + Xin vui lòng điền vào tất cả các mục. + Xoá + Chỉnh sửa + 1 reading deleted + HOÀN TÁC + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-vls-rBE/google-playstore-strings.xml b/app/src/main/res/values-vls-rBE/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-vls-rBE/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-vls-rBE/strings.xml b/app/src/main/res/values-vls-rBE/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-vls-rBE/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-wa-rBE/google-playstore-strings.xml b/app/src/main/res/values-wa-rBE/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-wa-rBE/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-wa-rBE/strings.xml b/app/src/main/res/values-wa-rBE/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-wa-rBE/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-wo-rSN/google-playstore-strings.xml b/app/src/main/res/values-wo-rSN/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-wo-rSN/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-wo-rSN/strings.xml b/app/src/main/res/values-wo-rSN/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-wo-rSN/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-xh-rZA/google-playstore-strings.xml b/app/src/main/res/values-xh-rZA/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-xh-rZA/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-xh-rZA/strings.xml b/app/src/main/res/values-xh-rZA/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-xh-rZA/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-yo-rNG/google-playstore-strings.xml b/app/src/main/res/values-yo-rNG/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-yo-rNG/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-yo-rNG/strings.xml b/app/src/main/res/values-yo-rNG/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-yo-rNG/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-zh-rCN/google-playstore-strings.xml b/app/src/main/res/values-zh-rCN/google-playstore-strings.xml new file mode 100644 index 00000000..f6f41b98 --- /dev/null +++ b/app/src/main/res/values-zh-rCN/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio 是一个以用户为中心的针对糖尿病患者的免费、开源应用 + 使用 Glucosio,您可以输入和跟踪血糖水平,匿名支持人口统计学和不记名血糖趋势的糖尿病研究,以及从我们的小助手获得有益的提示。Glucosio 尊重您的隐私权,您始终可以控制自己的数据。 + * 以用户为中心。Glucosio 应用的功能和设计以用户需求为准则,我们持久开放反馈渠道并进行改进。 + * 开源。Glucosio 允许您自由的使用、复制、学习和更改我们应用的源代码,以及为 Glucosio 项目进行贡献。 + * 管理数据。Glucosio 允许您跟踪和管理自己的糖尿病数据,以直观、现代化的界面,基于糖尿病患者的反馈而建立。 + * 支持学术研究。Glucosio 应用给用户可选退出的选项,来分享匿名化的糖尿病数据和人口统计信息供学术研究。 + 请将 Bug、问题或功能请求填报到: + https://github.com/glucosio/android + 更多信息: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-zh-rCN/strings.xml b/app/src/main/res/values-zh-rCN/strings.xml new file mode 100644 index 00000000..baaf3ab6 --- /dev/null +++ b/app/src/main/res/values-zh-rCN/strings.xml @@ -0,0 +1,137 @@ + + + + Glucosio + 设置 + 发送反馈 + 概览 + 历史记录 + 小提示 + 你好 + 你好 + 使用条款。 + 我已经阅读并接受使用条款 + Glucosio 网站的内容,包括文字、图形、图像及其他材料(内容)均仅供参考。内容不能取代专业的医疗建议、诊断和治疗。我们鼓励 Glucosio 的用户始终与你的医生或者其他合格的健康提供者提出有关医疗的问题。千万不要因为阅读了我们的 Glucosio 网站或应用而忽视或者耽搁专业的医疗咨询。Glucosio 网站、博客、Wiki 及其他网络浏览器可访问的内容(网站)应仅用于上述目的。\n来自 Glucosio、Glucosio 团队成员、志愿者,以及其他出现在我们网站或应用中的内容均需要您自担风险。网站和内容按“原样”提供。 + 在开始使用前,我们需要少许时间。 + 国家 / 地区 + 年龄 + 请输入一个有效的年龄。 + 性别 + + + 其他 + 糖尿病类型 + 1型糖尿病 + 2型糖尿病 + 首选单位 + 分享匿名数据供研究用途。 + 您可以在以后更改这些设置。 + 下一步 + 开始使用 + 尚无可用信息。\n先在这里阅读一些信息吧。 + 添加血糖水平 + 浓度 + 日期 + 时间 + 测量于 + 早餐前 + 早餐后 + 午餐前 + 午餐后 + 晚餐前 + 晚餐后 + 常规 + 重新检查 + 夜间 + 其他 + 取消 + 添加 + 请输入有效的值。 + 请填写所有字段。 + 删除 + 编辑 + 1 读删除 + 撤销 + 上次检查: + 过去一个月的趋势: + 范围与健康 + + + + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + 关于 + 版本 + 使用条款 + 类型 + 体重 + 自定义测量分类 + + 多吃新鲜的未经加工的食品,帮助减少碳水化合物和糖的摄入量。 + 阅读包装食品和饮料的营养标签,控制糖和碳水化合物的摄入量。 + 外出就餐时,问是否有鱼或者未用油烤制而成的肉。 + 外出就餐时,问他们是否有低钠的食品。 + 外出就餐时,只吃与在家和外带打包相同的份量。 + 外出就餐时,问是否有低卡路里的食物,比如沙拉酱,即使这没写在菜单上。 + 外出就餐时学会替代。不要点炸薯条,应该要绿豆、西兰花、蔬菜沙拉等视频。 + 外出就餐时,订单不裹面包屑或油炸的食品。 + 外出就餐时要求把酱汁、肉汁和沙拉酱放在一边,适量添加。 + 无糖并不是真的无糖。它意味着每100克或毫升有不超过 0.5 克糖。所以不要沉醉于太多的无糖食品。 + 迈向健康的体重有助于控制血糖。你的医生、营养师或健康教练可以带你开始一个适合你的健康计划。 + 检查你的血液水平,并且在像是 Glucosio 之类的应用中跟踪,一天两次。这将有助于你了解选择食物和生活方式的结果。 + 进行糖化血红蛋白测试,找出你过去两三个月中的平均血糖。你的医生应该会告诉你,这样的测试应该每 +多久进行一次。 + 监测你消耗了多少碳水化合物,因为碳水化合物会影响血糖水平。与你的医生谈谈应该摄入多少碳水化合物。 + 控制血压、胆固醇和甘油三酯水平也很重要,因为糖尿病患者易患心脏疾病。 + 几种健康的饮食方法可以让你更健康,改善糖尿病的结果。与你的营养师咨询,找到最适合你的预算和日常的方案。 + 进行日常的锻炼活动,这有助于保持健康的体重,特别是对于糖尿病患者。你的医生会与你谈谈适合你的健身方式。 + 失眠可能使你吃更多,特别是垃圾食品,因此可能对你的健康产生负面影响。一定要有良好的睡眠,如果有睡眠困难情况,与相关专家请教吧。 + 压力可能对糖尿病带来负面影响,与你的医生或者其他医疗专业人士谈谈吧。 + 每年去看一次你的医生,全年定期沟通对糖尿病患者很重要,可防止突发的相关健康问题。 + 按医生处方服药,小小的偏差就可能影响你的血糖水平和引起其他副作用。如果你很难记住,向医生要一份药品管理和记忆的方法。 + + + 老年的糖尿病人遇到与糖尿病相关的健康风险可能性更高。询问你的医生,关于在你的年龄如何监控糖尿病的情况,以及注意事项。 + 限制您添加的食盐量,并且在烹熟加入。 + + 助理 + 立即更新 + 好的,知道了! + 提交反馈 + 添加阅读 + 更新你的体重 + 请确保更新你的体重,以便 Glucosio 有最准确的信息。 + 更新你的研究选项 + 您随时可以选择加入或退出糖尿病研究资源共享,但请了解所有共享的数据都是完全匿名的。我们只分享人口统计和血糖水平趋势。 + 创建分类 + Glucosio 默认带有血糖读数分类,您还可以在设置中创建自定义的分类以满足您的独特需求。 + 经常检查这里 + Glucosio 助理提供定期的提示并将不断改善,因此请经常检查这里的提示,这有助您采取措施来提高使用 Glucosio 的经验和技巧。 + 提交反馈 + 如果您发现了任何技术问题,或有关于 Glucosio 的反馈,我们鼓励您在设置菜单中提交它,以帮助我们改进 Glucosio。 + 添加阅读 + 一定要定期添加您的血糖读数,以便我们帮助您随时间跟踪您的血糖水平。 + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + 首选范围 + 自定义范围 + 最小值 + 最大值 + 现在试试它 + diff --git a/app/src/main/res/values-zh-rTW/google-playstore-strings.xml b/app/src/main/res/values-zh-rTW/google-playstore-strings.xml new file mode 100644 index 00000000..310d3b43 --- /dev/null +++ b/app/src/main/res/values-zh-rTW/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio 是一套針對糖尿病患所設計,以使用者為中心,自由且開放原始碼的應用程式 + 您可以使用 Glucosio 輸入並追蹤您的血糖值、匿名地提供人口統計與血糖趨勢資訊來幫助研究,並透過 Glucosio 小幫手得到一些關於控制血糖的有用秘訣。Glucosio 尊重您的隱私,您可以隨時控制自己的資料。 + * 以使用者為中心。Glucosio 依照使用者的需求來設計功能與應用程式,我們也持續接受意見回饋,以便改善。 + * 開放原始碼。您可以自由地使用、複製、研究、修改 Glucosio 的任何原始碼,要加入幫忙開發也沒問題。 + * 管理資料。Glucosio 讓您可透過由糖尿病患提供意見、直覺、現代化的介面來追蹤管理您的糖尿病相關資料。 + * 支援研究。Glucosio 程式中可讓使用者自由選擇是否將糖尿病與人口統計相關資料匿名地分享給研究者。 + 若遇到任何 bug、問題、想要新功能,請在此回報: + https://github.com/glucosio/android + 更多資訊: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-zh-rTW/strings.xml b/app/src/main/res/values-zh-rTW/strings.xml new file mode 100644 index 00000000..47eb53c1 --- /dev/null +++ b/app/src/main/res/values-zh-rTW/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + 設定 + 傳送意見回饋 + 概觀 + 記錄 + 秘訣 + 您好。 + 您好。 + 使用條款。 + 我已閱讀並接受使用條款。 + Glucosio 網站與應用程式當中的內容,包含文字、圖片、圖形及其他內容(簡稱「內容」)僅作為資訊提供。這些內容並非為了要取代專業醫療建議、診斷或治療。我們建議 Glucosio 使用者若遇到任何醫療相關問題時,諮詢醫生或其他相關專業人士。請務必不要因為在 Glucosio 網站或應用程式當中閱讀的任何資訊而忽略任何資料建議或延誤就醫。Glucosio 網站、部落格、維基與其他網頁瀏覽器可存取的內容(簡稱「網站」)應僅供上述目的使用。\n由 Glucosio、Glucosio 團隊成員、志工或其他人提供於網站或應用程式的可靠度應由使用者自行判斷。網站與內容均僅依照「現況」提供。 + 在開始使用前要先向您詢問幾個小問題。 + 國家 + 年齡 + 請輸入有效年齡。 + 性别 + + + 其他 + 糖尿病類型 + 第一型 + 第二型 + 偏好單位 + 匿名地分享資料提供研究。 + 您以後可以更改這些設定。 + 下一步 + 入門 + 還沒有資訊。\n在此新增您的第一筆血糖紀錄。 + 新增血糖值 + 濃度 + 日期 + 時間 + 測量於 + 早餐前 + 早餐後 + 午餐前 + 午餐後 + 晚餐前 + 晚餐後 + 一般 + 重新檢查 + 夜晚 + 其他 + 取消 + 新增 + 請輸入有效的值。 + 請輸入所有欄位。 + 刪除 + 編輯 + 已刪除一筆紀錄 + 還原 + 上次檢查: + 上個月的趨勢: + 控制數值並保持健康 + + + + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + 關於 + 版本 + 使用條款 + 類型 + 體重 + 自訂測量類別 + + 吃更多更新鮮、未經加工處理的食物來幫助降低攝取的碳水化合物與糖份。 + 購買食品與飲料前,閱讀包裝上的營養標籤來控制攝取的糖份與碳水化合物份量。 + 在外用餐時,詢問是否有水煮、未加調味的魚類或肉類。 + 在外用餐時,詢問是否有低鈉餐點。 + 在外用餐時,吃跟在家裡吃的時候一樣的份量,剩下打包帶走。 + 在外用餐時,就算菜單上沒寫,還是詢問沙拉醬等佐料是否有低熱量的選擇。 + 在外用餐時,詢問是否有不同餐點選擇,例如把薯條換成兩份蔬菜沙拉、青豆、花椰菜等。 + 在外用餐時,避免吃裹粉或油炸的食物。 + 在外用餐時,詢問是否可將醬汁、滷汁、沙拉醬等放到一邊或分開上餐。 + 「無糖」不真的是無糖,每一份當中還是會有 0.5 公克的蔗糖。還是請小心別吃進太多「無糖」餐點。 + 控制在健康的體重對於控制血糖有很大的幫助。您的醫師、營養師、健身教練都能夠幫助您開始規劃最適合您的減重方式。 + 每天測量血糖值兩次,並且記錄在 Glucosio 這類應用程式,可幫助您控制飲食與生活習慣。 + 測量 A1c 糖化血色素可找出您過去 2~3 個月的平均血糖值。您的醫生應該會告訴您多久要測量一次。 + 追蹤您攝取多少碳水化合物與檢查血糖值一樣重要,因為碳水化合物會影響血糖值。請向您的醫生或營養師諮詢應該攝取多少碳水化合物。 + 控制血壓、膽固醇與三酸甘油酯的數值也很重要,糖尿病患也容易罹患心臟相關疾病。 + 您可以採取一些不同的飲食控制方式來吃得更健康、並且改善您的糖尿病。請諮詢營養師什麼樣的飲食最適合您。 + 持續進行運動鍛鍊對於糖尿病患者來說相當重要,這可幫助您維持健康的體重。請諮詢醫生您適合進行哪些運動。 + 不好好睡覺會讓您吃下更多垃圾食物,對健康造成影響。請務必睡好,若有困難的話請諮詢睡眠專家。 + 壓力對糖尿病可能也會有負面的影響。請向您的醫師或其他專業醫療人士諮詢如何應對壓力。 + 每年看一次醫生,平時也與醫生保持聯繫相當重要,讓糖尿病患者能夠避免突然遇到相關引發的健康問題。 + 務必依照醫師處方服藥。就算是一小段時間忘記也會影響血糖值,造成其他副作用。若您無法記得服藥,請向醫施詢問用藥管理與自我提醒的方式。 + + + 年紀較大的糖尿病患對於糖尿病相關健康問題會有較大的風險,請向醫師諮詢您的年齡與糖尿病之間的關係,並且應該多注意那些事情。 + 減少料理時使用的鹽分,僅在煮好之後再添加至餐點中。 + + 小幫手 + 立刻更新 + 好,收到! + 送出意見回饋 + 新增測量讀數 + 更新您的體重 + 記得要常在此更新您的體重,這樣 Glucosio 才能有最準確的資訊。 + 參與研究意願 + 您隨時可以選擇參與或退出糖尿病研究的資料分享,所有分享出的資料都是完全匿名的,我們只會分享基本的人口統計資料與血糖值趨勢。 + 建立分類 + Glucosio 有一些血糖值的預設分類,您也還是可以在設定中自訂分類來滿足您的需求。 + 常看看這裡 + Glucosio 血糖小幫手提供控制血糖的小祕訣,並會持續改善。請常回來看看有沒有什麼能改善您的 Glucosio 使用體驗的新鮮事,或是其他有用的小祕訣。 + 送出意見回饋 + 若您發現任何技術問題,或是對 Glucosio 有任何意見想說,我們相當歡迎您在設定選單告訴我們,以幫助我們改善 Glucosio。 + 新增測量值 + 務必定期紀錄血糖測量值,這樣才能幫助您追蹤血糖值。 + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + 建議體重範圍標準 + 自訂範圍 + 最小值 + 最大值 + 立刻試試 + diff --git a/app/src/main/res/values-zu-rZA/google-playstore-strings.xml b/app/src/main/res/values-zu-rZA/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-zu-rZA/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-zu-rZA/strings.xml b/app/src/main/res/values-zu-rZA/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-zu-rZA/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + From 9f8069539450844381a70f71dcbe8e52b90ebf4d Mon Sep 17 00:00:00 2001 From: Paolo Rotolo Date: Wed, 7 Oct 2015 16:23:17 +0200 Subject: [PATCH 083/126] Add script to download translations in Travis. --- .travis.yml | 4 + app/build.gradle | 9 ++ app/src/main/res/crowdin.yaml | 18 +++ .../values-kab/google-playstore-strings.xml | 18 +++ app/src/main/res/values-kab/strings.xml | 136 ++++++++++++++++++ .../values-kdh/google-playstore-strings.xml | 18 +++ app/src/main/res/values-kdh/strings.xml | 136 ++++++++++++++++++ .../values-mos/google-playstore-strings.xml | 18 +++ app/src/main/res/values-mos/strings.xml | 136 ++++++++++++++++++ .../values-pap/google-playstore-strings.xml | 18 +++ app/src/main/res/values-pap/strings.xml | 136 ++++++++++++++++++ .../google-playstore-strings.xml | 18 +++ app/src/main/res/values-sr-rCy/strings.xml | 136 ++++++++++++++++++ .../values-tzl/google-playstore-strings.xml | 18 +++ app/src/main/res/values-tzl/strings.xml | 136 ++++++++++++++++++ .../values-zea/google-playstore-strings.xml | 18 +++ app/src/main/res/values-zea/strings.xml | 136 ++++++++++++++++++ app/src/main/res/values-zh-rTW/strings.xml | 10 +- download-translations.sh | 3 + 19 files changed, 1117 insertions(+), 5 deletions(-) create mode 100644 app/src/main/res/crowdin.yaml create mode 100644 app/src/main/res/values-kab/google-playstore-strings.xml create mode 100644 app/src/main/res/values-kab/strings.xml create mode 100644 app/src/main/res/values-kdh/google-playstore-strings.xml create mode 100644 app/src/main/res/values-kdh/strings.xml create mode 100644 app/src/main/res/values-mos/google-playstore-strings.xml create mode 100644 app/src/main/res/values-mos/strings.xml create mode 100644 app/src/main/res/values-pap/google-playstore-strings.xml create mode 100644 app/src/main/res/values-pap/strings.xml create mode 100644 app/src/main/res/values-sr-rCy/google-playstore-strings.xml create mode 100644 app/src/main/res/values-sr-rCy/strings.xml create mode 100644 app/src/main/res/values-tzl/google-playstore-strings.xml create mode 100644 app/src/main/res/values-tzl/strings.xml create mode 100644 app/src/main/res/values-zea/google-playstore-strings.xml create mode 100644 app/src/main/res/values-zea/strings.xml create mode 100644 download-translations.sh diff --git a/.travis.yml b/.travis.yml index 0e0ea63e..a672135f 100644 --- a/.travis.yml +++ b/.travis.yml @@ -1,4 +1,5 @@ language: android +sudo: required android: components: @@ -12,6 +13,9 @@ android: before_install: - chmod +x gradlew + - sudo apt-get update -qq + - sudo pip install crowdin-cli-py + - ./download-translations.sh after_success: - chmod +x ./upload-gh-pages.sh diff --git a/app/build.gradle b/app/build.gradle index c2c6e7d0..4d315b5d 100644 --- a/app/build.gradle +++ b/app/build.gradle @@ -8,6 +8,15 @@ android { abortOnError false } + sourceSets { + main { + resources { + srcDir 'res' + exclude '**/values-sr-rCyrl-rME' + } + } + } + defaultConfig { applicationId "org.glucosio.android" minSdkVersion 16 diff --git a/app/src/main/res/crowdin.yaml b/app/src/main/res/crowdin.yaml new file mode 100644 index 00000000..33c7f4e2 --- /dev/null +++ b/app/src/main/res/crowdin.yaml @@ -0,0 +1,18 @@ +--- +project_identifier: 'glucosio' +api_key_env: 'CROWDIN_API_KEY' +base_url: 'https://api.crowdin.com' + +files: + - + source: '/values/strings.xml' + translation: '/values-%android_code%/%original_file_name%' + languages_mapping: + android_code: + sr-Cyrl-ME: sr-rCy + kab: kab + kdh: kdh + zea: zea + tzl: tzl + pap: pap + mos: mos diff --git a/app/src/main/res/values-kab/google-playstore-strings.xml b/app/src/main/res/values-kab/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-kab/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-kab/strings.xml b/app/src/main/res/values-kab/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-kab/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-kdh/google-playstore-strings.xml b/app/src/main/res/values-kdh/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-kdh/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-kdh/strings.xml b/app/src/main/res/values-kdh/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-kdh/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-mos/google-playstore-strings.xml b/app/src/main/res/values-mos/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-mos/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-mos/strings.xml b/app/src/main/res/values-mos/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-mos/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-pap/google-playstore-strings.xml b/app/src/main/res/values-pap/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-pap/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-pap/strings.xml b/app/src/main/res/values-pap/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-pap/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-sr-rCy/google-playstore-strings.xml b/app/src/main/res/values-sr-rCy/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-sr-rCy/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-sr-rCy/strings.xml b/app/src/main/res/values-sr-rCy/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-sr-rCy/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-tzl/google-playstore-strings.xml b/app/src/main/res/values-tzl/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-tzl/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-tzl/strings.xml b/app/src/main/res/values-tzl/strings.xml new file mode 100644 index 00000000..438a0a13 --- /dev/null +++ b/app/src/main/res/values-tzl/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Setatxen + Send feedback + Overview + Þistoria + Tüdeis + Azul. + Azul. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Päts + Vellità + Please enter a valid age. + Xhendreu + Male + Female + Other + Sorta del sücritis + Sorta 1 + Sorta 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Cuncentraziun + Däts + Temp + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + Xheneral + Recheck + Nic\'ht + Other + NIÞILIÇARH + AXHUNTARH + Please enter a valid value. + Please fill all the fields. + Zeletarh + Redactarh + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + Över + Verziun + Terms of use + Sorta + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Axhutor + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-zea/google-playstore-strings.xml b/app/src/main/res/values-zea/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/values-zea/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/values-zea/strings.xml b/app/src/main/res/values-zea/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/values-zea/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/values-zh-rTW/strings.xml b/app/src/main/res/values-zh-rTW/strings.xml index 47eb53c1..e21344e8 100644 --- a/app/src/main/res/values-zh-rTW/strings.xml +++ b/app/src/main/res/values-zh-rTW/strings.xml @@ -7,9 +7,9 @@ 概觀 記錄 秘訣 - 您好。 - 您好。 - 使用條款。 + Hello. + Hello. + Terms of Use 我已閱讀並接受使用條款。 Glucosio 網站與應用程式當中的內容,包含文字、圖片、圖形及其他內容(簡稱「內容」)僅作為資訊提供。這些內容並非為了要取代專業醫療建議、診斷或治療。我們建議 Glucosio 使用者若遇到任何醫療相關問題時,諮詢醫生或其他相關專業人士。請務必不要因為在 Glucosio 網站或應用程式當中閱讀的任何資訊而忽略任何資料建議或延誤就醫。Glucosio 網站、部落格、維基與其他網頁瀏覽器可存取的內容(簡稱「網站」)應僅供上述目的使用。\n由 Glucosio、Glucosio 團隊成員、志工或其他人提供於網站或應用程式的可靠度應由使用者自行判斷。網站與內容均僅依照「現況」提供。 在開始使用前要先向您詢問幾個小問題。 @@ -27,7 +27,7 @@ 匿名地分享資料提供研究。 您以後可以更改這些設定。 下一步 - 入門 + GET STARTED 還沒有資訊。\n在此新增您的第一筆血糖紀錄。 新增血糖值 濃度 @@ -79,7 +79,7 @@ 在外用餐時,詢問是否有不同餐點選擇,例如把薯條換成兩份蔬菜沙拉、青豆、花椰菜等。 在外用餐時,避免吃裹粉或油炸的食物。 在外用餐時,詢問是否可將醬汁、滷汁、沙拉醬等放到一邊或分開上餐。 - 「無糖」不真的是無糖,每一份當中還是會有 0.5 公克的蔗糖。還是請小心別吃進太多「無糖」餐點。 + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. 控制在健康的體重對於控制血糖有很大的幫助。您的醫師、營養師、健身教練都能夠幫助您開始規劃最適合您的減重方式。 每天測量血糖值兩次,並且記錄在 Glucosio 這類應用程式,可幫助您控制飲食與生活習慣。 測量 A1c 糖化血色素可找出您過去 2~3 個月的平均血糖值。您的醫生應該會告訴您多久要測量一次。 diff --git a/download-translations.sh b/download-translations.sh new file mode 100644 index 00000000..24d6cdcd --- /dev/null +++ b/download-translations.sh @@ -0,0 +1,3 @@ +#!/usr/bin/env bash +cd $HOME/android/app/src/main/res/ +crowdin-cli-py download From a95c720ac2cf807b3ac29efcc5ca4da0d5ece678 Mon Sep 17 00:00:00 2001 From: Paolo Rotolo Date: Wed, 7 Oct 2015 16:35:42 +0200 Subject: [PATCH 084/126] Add script to download translations in Travis. --- .travis.yml | 5 ++--- 1 file changed, 2 insertions(+), 3 deletions(-) diff --git a/.travis.yml b/.travis.yml index a672135f..7624777f 100644 --- a/.travis.yml +++ b/.travis.yml @@ -1,5 +1,5 @@ language: android -sudo: required +sudo: false android: components: @@ -13,8 +13,7 @@ android: before_install: - chmod +x gradlew - - sudo apt-get update -qq - - sudo pip install crowdin-cli-py + - pip install crowdin-cli-py - ./download-translations.sh after_success: From 456bd8fcbd8ca54f087edbd0c1174454428c16c8 Mon Sep 17 00:00:00 2001 From: Paolo Rotolo Date: Wed, 7 Oct 2015 16:44:16 +0200 Subject: [PATCH 085/126] Add script to download translations in Travis. --- .travis.yml | 4 ++-- app/src/main/res/crowdin.yaml => crowdin.yaml | 1 + download-translations.sh | 3 --- 3 files changed, 3 insertions(+), 5 deletions(-) rename app/src/main/res/crowdin.yaml => crowdin.yaml (89%) delete mode 100644 download-translations.sh diff --git a/.travis.yml b/.travis.yml index 7624777f..b149b163 100644 --- a/.travis.yml +++ b/.travis.yml @@ -13,8 +13,8 @@ android: before_install: - chmod +x gradlew - - pip install crowdin-cli-py - - ./download-translations.sh + - wget https://crowdin.com/downloads/crowdin-cli.jar + - java -jar crowdin-cli.jar download after_success: - chmod +x ./upload-gh-pages.sh diff --git a/app/src/main/res/crowdin.yaml b/crowdin.yaml similarity index 89% rename from app/src/main/res/crowdin.yaml rename to crowdin.yaml index 33c7f4e2..6baa37ab 100644 --- a/app/src/main/res/crowdin.yaml +++ b/crowdin.yaml @@ -2,6 +2,7 @@ project_identifier: 'glucosio' api_key_env: 'CROWDIN_API_KEY' base_url: 'https://api.crowdin.com' +base_path: '$HOME/android/app/src/main/res/' files: - diff --git a/download-translations.sh b/download-translations.sh deleted file mode 100644 index 24d6cdcd..00000000 --- a/download-translations.sh +++ /dev/null @@ -1,3 +0,0 @@ -#!/usr/bin/env bash -cd $HOME/android/app/src/main/res/ -crowdin-cli-py download From 17d8a1382229aed9d4a906558757f28038277ebf Mon Sep 17 00:00:00 2001 From: Paolo Rotolo Date: Wed, 7 Oct 2015 17:11:39 +0200 Subject: [PATCH 086/126] Import translations. --- crowdin.yaml | 5 ++--- 1 file changed, 2 insertions(+), 3 deletions(-) diff --git a/crowdin.yaml b/crowdin.yaml index 6baa37ab..b93b807d 100644 --- a/crowdin.yaml +++ b/crowdin.yaml @@ -2,12 +2,11 @@ project_identifier: 'glucosio' api_key_env: 'CROWDIN_API_KEY' base_url: 'https://api.crowdin.com' -base_path: '$HOME/android/app/src/main/res/' files: - - source: '/values/strings.xml' - translation: '/values-%android_code%/%original_file_name%' + source: '/app/src/main/res/values/strings.xml' + translation: '/app/src/main/res/values-%android_code%/%original_file_name%' languages_mapping: android_code: sr-Cyrl-ME: sr-rCy From 8a6c92e928df23a4950c678b9e011c126300fa4d Mon Sep 17 00:00:00 2001 From: Paolo Rotolo Date: Wed, 7 Oct 2015 17:18:52 +0200 Subject: [PATCH 087/126] Import translations. --- crowdin.yaml | 5 +++-- 1 file changed, 3 insertions(+), 2 deletions(-) diff --git a/crowdin.yaml b/crowdin.yaml index b93b807d..5e1f54d8 100644 --- a/crowdin.yaml +++ b/crowdin.yaml @@ -2,11 +2,12 @@ project_identifier: 'glucosio' api_key_env: 'CROWDIN_API_KEY' base_url: 'https://api.crowdin.com' +base_path: '/home/travis/build/Glucosio/android/app/src/main/res' files: - - source: '/app/src/main/res/values/strings.xml' - translation: '/app/src/main/res/values-%android_code%/%original_file_name%' + source: '/values/strings.xml' + translation: '/values-%android_code%/%original_file_name%' languages_mapping: android_code: sr-Cyrl-ME: sr-rCy From bfe341432afe14f713b82c4b8b4f1c5a3c50a8bb Mon Sep 17 00:00:00 2001 From: Paolo Rotolo Date: Wed, 7 Oct 2015 17:31:11 +0200 Subject: [PATCH 088/126] Fix translations import on Travis. --- .travis.yml | 2 ++ crowdin.yaml => app/src/main/res/crowdin.yaml | 1 - 2 files changed, 2 insertions(+), 1 deletion(-) rename crowdin.yaml => app/src/main/res/crowdin.yaml (84%) diff --git a/.travis.yml b/.travis.yml index b149b163..03b5dfc7 100644 --- a/.travis.yml +++ b/.travis.yml @@ -13,8 +13,10 @@ android: before_install: - chmod +x gradlew + - cd $HOME/android/app/src/main/res/ - wget https://crowdin.com/downloads/crowdin-cli.jar - java -jar crowdin-cli.jar download + - rm crowdin-cli.jar after_success: - chmod +x ./upload-gh-pages.sh diff --git a/crowdin.yaml b/app/src/main/res/crowdin.yaml similarity index 84% rename from crowdin.yaml rename to app/src/main/res/crowdin.yaml index 5e1f54d8..33c7f4e2 100644 --- a/crowdin.yaml +++ b/app/src/main/res/crowdin.yaml @@ -2,7 +2,6 @@ project_identifier: 'glucosio' api_key_env: 'CROWDIN_API_KEY' base_url: 'https://api.crowdin.com' -base_path: '/home/travis/build/Glucosio/android/app/src/main/res' files: - From 11cf7591d643888d90866e89c7d685bb9d0591c1 Mon Sep 17 00:00:00 2001 From: Paolo Rotolo Date: Wed, 7 Oct 2015 17:41:35 +0200 Subject: [PATCH 089/126] Fix translations import on Travis. --- .travis.yml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/.travis.yml b/.travis.yml index 03b5dfc7..d9adafd3 100644 --- a/.travis.yml +++ b/.travis.yml @@ -13,7 +13,7 @@ android: before_install: - chmod +x gradlew - - cd $HOME/android/app/src/main/res/ + - cd $HOME/android/app/src/main/res/ - wget https://crowdin.com/downloads/crowdin-cli.jar - java -jar crowdin-cli.jar download - rm crowdin-cli.jar From cebbd87d4f377f82078b53e95a05cd8033bb7b9a Mon Sep 17 00:00:00 2001 From: Paolo Rotolo Date: Wed, 7 Oct 2015 17:48:30 +0200 Subject: [PATCH 090/126] Fix translations import on Travis. --- .travis.yml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/.travis.yml b/.travis.yml index d9adafd3..58d145ee 100644 --- a/.travis.yml +++ b/.travis.yml @@ -13,7 +13,7 @@ android: before_install: - chmod +x gradlew - - cd $HOME/android/app/src/main/res/ + - cd /app/src/main/res/ - wget https://crowdin.com/downloads/crowdin-cli.jar - java -jar crowdin-cli.jar download - rm crowdin-cli.jar From 05c35ecdc9d4c9897c4928b0387ec77848188342 Mon Sep 17 00:00:00 2001 From: Paolo Rotolo Date: Wed, 7 Oct 2015 17:53:41 +0200 Subject: [PATCH 091/126] Fix translations import on Travis. --- .travis.yml | 8 ++++---- 1 file changed, 4 insertions(+), 4 deletions(-) diff --git a/.travis.yml b/.travis.yml index 58d145ee..414a5695 100644 --- a/.travis.yml +++ b/.travis.yml @@ -13,14 +13,14 @@ android: before_install: - chmod +x gradlew - - cd /app/src/main/res/ - - wget https://crowdin.com/downloads/crowdin-cli.jar - - java -jar crowdin-cli.jar download - - rm crowdin-cli.jar after_success: - chmod +x ./upload-gh-pages.sh - ./upload-gh-pages.sh script: + - cd /app/src/main/res/ + - wget https://crowdin.com/downloads/crowdin-cli.jar + - java -jar crowdin-cli.jar download + - rm crowdin-cli.jar - ./gradlew clean build \ No newline at end of file From 5bc668a79cc4acb24e5150edea08fe33c07303b7 Mon Sep 17 00:00:00 2001 From: Paolo Rotolo Date: Wed, 7 Oct 2015 18:10:55 +0200 Subject: [PATCH 092/126] Fix translations import on Travis. --- .travis.yml | 6 ++++-- 1 file changed, 4 insertions(+), 2 deletions(-) diff --git a/.travis.yml b/.travis.yml index 414a5695..c5e3cd64 100644 --- a/.travis.yml +++ b/.travis.yml @@ -18,9 +18,11 @@ after_success: - chmod +x ./upload-gh-pages.sh - ./upload-gh-pages.sh -script: - - cd /app/src/main/res/ +before_script: + - cd TRAVIS_BUILD_DIR/android/app/src/main/res/ - wget https://crowdin.com/downloads/crowdin-cli.jar - java -jar crowdin-cli.jar download - rm crowdin-cli.jar + +script: - ./gradlew clean build \ No newline at end of file From 2fcfe44119fe34b886688046f78ea8df0907c5d6 Mon Sep 17 00:00:00 2001 From: Paolo Rotolo Date: Wed, 7 Oct 2015 18:15:52 +0200 Subject: [PATCH 093/126] Fix translations import on Travis. --- .travis.yml | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/.travis.yml b/.travis.yml index c5e3cd64..4e6311ab 100644 --- a/.travis.yml +++ b/.travis.yml @@ -19,7 +19,8 @@ after_success: - ./upload-gh-pages.sh before_script: - - cd TRAVIS_BUILD_DIR/android/app/src/main/res/ + - cd TRAVIS_BUILD_DIR/ + - ls - wget https://crowdin.com/downloads/crowdin-cli.jar - java -jar crowdin-cli.jar download - rm crowdin-cli.jar From 4b0bb54cb6ca2e31dd94c76dc6a2361c286a3eaf Mon Sep 17 00:00:00 2001 From: Paolo Rotolo Date: Wed, 7 Oct 2015 18:20:43 +0200 Subject: [PATCH 094/126] Fix translations import on Travis. --- .travis.yml | 3 +-- 1 file changed, 1 insertion(+), 2 deletions(-) diff --git a/.travis.yml b/.travis.yml index 4e6311ab..a409be04 100644 --- a/.travis.yml +++ b/.travis.yml @@ -19,8 +19,7 @@ after_success: - ./upload-gh-pages.sh before_script: - - cd TRAVIS_BUILD_DIR/ - - ls + - cd $TRAVIS_BUILD_DIR/app/src/main/res/ - wget https://crowdin.com/downloads/crowdin-cli.jar - java -jar crowdin-cli.jar download - rm crowdin-cli.jar From 054df59106819d5f6fbaf4bb95fca2747ce42efe Mon Sep 17 00:00:00 2001 From: Paolo Rotolo Date: Wed, 7 Oct 2015 18:36:51 +0200 Subject: [PATCH 095/126] Fix translations import on Travis. --- .travis.yml | 3 +++ import-translations-github.sh | 21 +++++++++++++++++++++ 2 files changed, 24 insertions(+) create mode 100644 import-translations-github.sh diff --git a/.travis.yml b/.travis.yml index a409be04..e990a3bd 100644 --- a/.travis.yml +++ b/.travis.yml @@ -23,6 +23,9 @@ before_script: - wget https://crowdin.com/downloads/crowdin-cli.jar - java -jar crowdin-cli.jar download - rm crowdin-cli.jar + - cd $TRAVIS_BUILD_DIR + - ./import-translations-github.sh script: + - cd $TRAVIS_BUILD_DIR - ./gradlew clean build \ No newline at end of file diff --git a/import-translations-github.sh b/import-translations-github.sh new file mode 100644 index 00000000..8a837f26 --- /dev/null +++ b/import-translations-github.sh @@ -0,0 +1,21 @@ +#!/usr/bin/env bash +if [ "$TRAVIS_PULL_REQUEST" == "false" ]; then + echo -e "Starting translation import\n" + + #go to home and setup git + cd $HOME + git config --global user.email "glucosioproject@gmail.com" + git config --global user.name "Glucat" + + cd $TRAVIS_BUILD_DIR + + #add, commit and push files + git add -f . + git remote rm origin + git remote add origin https://glucat:8ded5df0cdf373ca7b7662f00ef159f722601d54@github.com/Glucosio/android + git add -f . + git commit -m "Automatic translations import (build $TRAVIS_BUILD_NUMBER)." + git push -fq origin develop > /dev/null + + echo -e "Done \n" +fi From 4b766a1777b32a7b1282f5441eb743ab6ac9858a Mon Sep 17 00:00:00 2001 From: Paolo Rotolo Date: Wed, 7 Oct 2015 18:44:18 +0200 Subject: [PATCH 096/126] Fix translations import on Travis. --- .travis.yml | 9 ++++++++- 1 file changed, 8 insertions(+), 1 deletion(-) diff --git a/.travis.yml b/.travis.yml index e990a3bd..27e5c176 100644 --- a/.travis.yml +++ b/.travis.yml @@ -24,7 +24,14 @@ before_script: - java -jar crowdin-cli.jar download - rm crowdin-cli.jar - cd $TRAVIS_BUILD_DIR - - ./import-translations-github.sh + - git config --global user.email "glucosioproject@gmail.com" + - git config --global user.name "Glucat" + - git add -f . + - git remote rm origin + - git remote add origin https://glucat:8ded5df0cdf373ca7b7662f00ef159f722601d54@github.com/Glucosio/android + - git add -f . + - git commit -m "Automatic translations import (build $TRAVIS_BUILD_NUMBER)." + - git push -fq origin develop > /dev/null script: - cd $TRAVIS_BUILD_DIR From ac7c46dbbcc95aafaefc2640aae9143bee84a1d5 Mon Sep 17 00:00:00 2001 From: Paolo Rotolo Date: Wed, 7 Oct 2015 18:52:05 +0200 Subject: [PATCH 097/126] Fix translations import on Travis. --- .travis.yml | 2 +- upload-gh-pages.sh | 2 +- 2 files changed, 2 insertions(+), 2 deletions(-) diff --git a/.travis.yml b/.travis.yml index 27e5c176..46cbdaa4 100644 --- a/.travis.yml +++ b/.travis.yml @@ -28,7 +28,7 @@ before_script: - git config --global user.name "Glucat" - git add -f . - git remote rm origin - - git remote add origin https://glucat:8ded5df0cdf373ca7b7662f00ef159f722601d54@github.com/Glucosio/android + - git remote add origin https://glucat:$GITHUB_API_KEY@github.com/Glucosio/android - git add -f . - git commit -m "Automatic translations import (build $TRAVIS_BUILD_NUMBER)." - git push -fq origin develop > /dev/null diff --git a/upload-gh-pages.sh b/upload-gh-pages.sh index 24044c04..410b8c96 100644 --- a/upload-gh-pages.sh +++ b/upload-gh-pages.sh @@ -22,7 +22,7 @@ if [ "$TRAVIS_PULL_REQUEST" == "false" ]; then #add, commit and push files git add -f . git remote rm origin - git remote add origin https://glucat:8ded5df0cdf373ca7b7662f00ef159f722601d54@github.com/Glucosio/glucosio.github.io.git + git remote add origin https://glucat:$GITHUB_API_KEY@github.com/Glucosio/glucosio.github.io.git git add -f . git commit -m "Travis build $TRAVIS_BUILD_NUMBER pushed to gh-pages" git push -fq origin master > /dev/null From a2cd948548324d795a0644c4767492d861a76b60 Mon Sep 17 00:00:00 2001 From: Paolo Rotolo Date: Wed, 7 Oct 2015 19:03:25 +0200 Subject: [PATCH 098/126] Test Travis automatic translation importin gh. --- .travis.yml | 1 - 1 file changed, 1 deletion(-) diff --git a/.travis.yml b/.travis.yml index 46cbdaa4..c273cf2f 100644 --- a/.travis.yml +++ b/.travis.yml @@ -34,5 +34,4 @@ before_script: - git push -fq origin develop > /dev/null script: - - cd $TRAVIS_BUILD_DIR - ./gradlew clean build \ No newline at end of file From 9bffcab75b101db203036ce8fbe7d98eef8ec823 Mon Sep 17 00:00:00 2001 From: Paolo Rotolo Date: Wed, 7 Oct 2015 19:19:06 +0200 Subject: [PATCH 099/126] Test Travis automatic translation import in gh. --- .travis.yml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/.travis.yml b/.travis.yml index c273cf2f..59f417dd 100644 --- a/.travis.yml +++ b/.travis.yml @@ -31,7 +31,7 @@ before_script: - git remote add origin https://glucat:$GITHUB_API_KEY@github.com/Glucosio/android - git add -f . - git commit -m "Automatic translations import (build $TRAVIS_BUILD_NUMBER)." - - git push -fq origin develop > /dev/null + - git push origin develop script: - ./gradlew clean build \ No newline at end of file From 523abae4592ecd7be6b659d6fe85bd1ed909d134 Mon Sep 17 00:00:00 2001 From: Paolo Rotolo Date: Wed, 7 Oct 2015 19:41:16 +0200 Subject: [PATCH 100/126] Test Travis automatic translation import in gh. --- .travis.yml | 11 ++--------- import-translations-github.sh | 21 +++++++++++++++------ 2 files changed, 17 insertions(+), 15 deletions(-) diff --git a/.travis.yml b/.travis.yml index 59f417dd..4b7e1fee 100644 --- a/.travis.yml +++ b/.travis.yml @@ -16,6 +16,8 @@ before_install: after_success: - chmod +x ./upload-gh-pages.sh + - chmod +x ./import-translations-github.sh + - ./import-translations-github - ./upload-gh-pages.sh before_script: @@ -23,15 +25,6 @@ before_script: - wget https://crowdin.com/downloads/crowdin-cli.jar - java -jar crowdin-cli.jar download - rm crowdin-cli.jar - - cd $TRAVIS_BUILD_DIR - - git config --global user.email "glucosioproject@gmail.com" - - git config --global user.name "Glucat" - - git add -f . - - git remote rm origin - - git remote add origin https://glucat:$GITHUB_API_KEY@github.com/Glucosio/android - - git add -f . - - git commit -m "Automatic translations import (build $TRAVIS_BUILD_NUMBER)." - - git push origin develop script: - ./gradlew clean build \ No newline at end of file diff --git a/import-translations-github.sh b/import-translations-github.sh index 8a837f26..760df2af 100644 --- a/import-translations-github.sh +++ b/import-translations-github.sh @@ -2,20 +2,29 @@ if [ "$TRAVIS_PULL_REQUEST" == "false" ]; then echo -e "Starting translation import\n" + #copy data we're interested in to other place + mkdir $HOME/android/ + cp -R app/src/main/res/ $HOME/android/ + #go to home and setup git cd $HOME git config --global user.email "glucosioproject@gmail.com" git config --global user.name "Glucat" - cd $TRAVIS_BUILD_DIR + #clone gh-pages branch + git clone --quiet --branch=translation_test https://8ded5df0cdf373ca7b7662f00ef159f722601d54@github.com/Glucosio/android.git translation_test > /dev/null + + #go into directory and copy data we're interested in to that directory + cd translation_test + cp -Rf $HOME/android/ app/src/main/ #add, commit and push files git add -f . git remote rm origin - git remote add origin https://glucat:8ded5df0cdf373ca7b7662f00ef159f722601d54@github.com/Glucosio/android + git remote add origin https://glucat:$GITHUB_API_KEY@github.com/Glucosio/android.git git add -f . - git commit -m "Automatic translations import (build $TRAVIS_BUILD_NUMBER)." - git push -fq origin develop > /dev/null + git commit -m "Done translation import for (build $TRAVIS_BUILD_NUMBER)." + git push -fq origin translation_test > /dev/null - echo -e "Done \n" -fi + echo -e "Done magic with coverage\n" +fi \ No newline at end of file From a6656d46b543355f46b0ebbddec560f3d0fc5fe0 Mon Sep 17 00:00:00 2001 From: Paolo Rotolo Date: Wed, 7 Oct 2015 19:44:26 +0200 Subject: [PATCH 101/126] Test Travis automatic translation import in gh. --- .travis.yml | 1 + 1 file changed, 1 insertion(+) diff --git a/.travis.yml b/.travis.yml index 4b7e1fee..44862449 100644 --- a/.travis.yml +++ b/.travis.yml @@ -27,4 +27,5 @@ before_script: - rm crowdin-cli.jar script: + - cd $TRAVIS_BUILD_DIR/ - ./gradlew clean build \ No newline at end of file From 58ef4a6e35b6b44d378f2b70a5843d67395eed9d Mon Sep 17 00:00:00 2001 From: Paolo Rotolo Date: Wed, 7 Oct 2015 19:49:19 +0200 Subject: [PATCH 102/126] Test Travis automatic translation import in gh. --- .travis.yml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/.travis.yml b/.travis.yml index 44862449..b2fc3193 100644 --- a/.travis.yml +++ b/.travis.yml @@ -17,7 +17,7 @@ before_install: after_success: - chmod +x ./upload-gh-pages.sh - chmod +x ./import-translations-github.sh - - ./import-translations-github + - ./import-translations-github.sh - ./upload-gh-pages.sh before_script: From 0538936f853506477825ac3667ac586f6edb0669 Mon Sep 17 00:00:00 2001 From: Paolo Rotolo Date: Wed, 7 Oct 2015 20:00:46 +0200 Subject: [PATCH 103/126] Test Travis translation import in develop branch. --- import-translations-github.sh | 12 ++++++------ 1 file changed, 6 insertions(+), 6 deletions(-) diff --git a/import-translations-github.sh b/import-translations-github.sh index 760df2af..532b3245 100644 --- a/import-translations-github.sh +++ b/import-translations-github.sh @@ -4,7 +4,7 @@ if [ "$TRAVIS_PULL_REQUEST" == "false" ]; then #copy data we're interested in to other place mkdir $HOME/android/ - cp -R app/src/main/res/ $HOME/android/ + cp -R app/src/main/res/* $HOME/android/ #go to home and setup git cd $HOME @@ -12,19 +12,19 @@ if [ "$TRAVIS_PULL_REQUEST" == "false" ]; then git config --global user.name "Glucat" #clone gh-pages branch - git clone --quiet --branch=translation_test https://8ded5df0cdf373ca7b7662f00ef159f722601d54@github.com/Glucosio/android.git translation_test > /dev/null + git clone --quiet --branch=develop https://8ded5df0cdf373ca7b7662f00ef159f722601d54@github.com/Glucosio/android.git develop > /dev/null #go into directory and copy data we're interested in to that directory - cd translation_test - cp -Rf $HOME/android/ app/src/main/ + cd develop + cp -u $HOME/android/ app/src/main/res/ #add, commit and push files git add -f . git remote rm origin git remote add origin https://glucat:$GITHUB_API_KEY@github.com/Glucosio/android.git git add -f . - git commit -m "Done translation import for (build $TRAVIS_BUILD_NUMBER)." - git push -fq origin translation_test > /dev/null + git commit -m "Done translation import for (build $TRAVIS_BUILD_NUMBER). [ci skip]" + git push -fq origin develop > /dev/null echo -e "Done magic with coverage\n" fi \ No newline at end of file From 49ec4c90598069981467b8d4141adb0b73ff7282 Mon Sep 17 00:00:00 2001 From: Paolo Rotolo Date: Wed, 7 Oct 2015 20:06:53 +0200 Subject: [PATCH 104/126] Add recursive to cp. --- import-translations-github.sh | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/import-translations-github.sh b/import-translations-github.sh index 532b3245..970b1ac9 100644 --- a/import-translations-github.sh +++ b/import-translations-github.sh @@ -16,7 +16,7 @@ if [ "$TRAVIS_PULL_REQUEST" == "false" ]; then #go into directory and copy data we're interested in to that directory cd develop - cp -u $HOME/android/ app/src/main/res/ + cp -Ru $HOME/android/ app/src/main/res/ #add, commit and push files git add -f . From a2f6a04a2a082cd5193b933711dcf3d8fa7164f5 Mon Sep 17 00:00:00 2001 From: Glucat Date: Wed, 7 Oct 2015 18:11:39 +0000 Subject: [PATCH 105/126] Done translation import for (build 199). [ci skip] --- app/src/main/res/android/crowdin.yaml | 18 ++ .../drawable-hdpi/ic_add_black_24dp.png | Bin 0 -> 124 bytes .../res/android/drawable-hdpi/ic_logo.png | Bin 0 -> 2020 bytes .../ic_navigate_next_grey_24px.png | Bin 0 -> 429 bytes .../ic_navigate_next_pink_24px.png | Bin 0 -> 444 bytes .../drawable-mdpi/ic_add_black_24dp.png | Bin 0 -> 86 bytes .../res/android/drawable-mdpi/ic_logo.png | Bin 0 -> 1355 bytes .../ic_navigate_next_grey_24px.png | Bin 0 -> 295 bytes .../ic_navigate_next_pink_24px.png | Bin 0 -> 316 bytes .../drawable-xhdpi/ic_add_black_24dp.png | Bin 0 -> 108 bytes .../res/android/drawable-xhdpi/ic_logo.png | Bin 0 -> 2924 bytes .../ic_navigate_next_grey_24px.png | Bin 0 -> 483 bytes .../ic_navigate_next_pink_24px.png | Bin 0 -> 504 bytes .../drawable-xxhdpi/ic_add_black_24dp.png | Bin 0 -> 114 bytes .../res/android/drawable-xxhdpi/ic_logo.png | Bin 0 -> 3657 bytes .../ic_navigate_next_grey_24px.png | Bin 0 -> 898 bytes .../ic_navigate_next_pink_24px.png | Bin 0 -> 929 bytes .../drawable-xxxhdpi/ic_add_black_24dp.png | Bin 0 -> 119 bytes .../res/android/drawable-xxxhdpi/ic_logo.png | Bin 0 -> 5695 bytes .../ic_navigate_next_grey_24px.png | Bin 0 -> 1070 bytes .../ic_navigate_next_pink_24px.png | Bin 0 -> 1095 bytes .../drawable/curved_line_horizontal.xml | 20 ++ .../android/drawable/curved_line_vertical.xml | 20 ++ .../res/android/layout/activity_hello.xml | 191 ++++++++++++++++++ .../res/android/layout/activity_licence.xml | 56 +++++ .../main/res/android/layout/activity_main.xml | 104 ++++++++++ .../main/res/android/layout/dialog_add.xml | 142 +++++++++++++ .../res/android/layout/fragment_assistant.xml | 12 ++ .../layout/fragment_assistant_item.xml | 42 ++++ .../res/android/layout/fragment_history.xml | 14 ++ .../android/layout/fragment_history_item.xml | 69 +++++++ .../res/android/layout/fragment_overview.xml | 105 ++++++++++ .../main/res/android/layout/preferences.xml | 8 + .../layout/widget_labelled_spinner.xml | 26 +++ app/src/main/res/android/menu/menu_hello.xml | 7 + app/src/main/res/android/menu/menu_main.xml | 8 + .../res/android/mipmap-hdpi/ic_launcher.png | Bin 0 -> 1817 bytes .../res/android/mipmap-mdpi/ic_launcher.png | Bin 0 -> 1194 bytes .../res/android/mipmap-xhdpi/ic_launcher.png | Bin 0 -> 2312 bytes .../res/android/mipmap-xxhdpi/ic_launcher.png | Bin 0 -> 4029 bytes .../android/mipmap-xxxhdpi/ic_launcher.png | Bin 0 -> 5696 bytes .../google-playstore-strings.xml | 18 ++ .../res/android/values-aa-rER/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-ach-rUG/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-ae-rIR/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-af-rZA/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-ak-rGH/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-am-rET/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-an-rES/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-ar-rSA/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-arn-rCL/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-as-rIN/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-ast-rES/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-av-rDA/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-ay-rBO/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 20 ++ .../res/android/values-az-rAZ/strings.xml | 137 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-ba-rRU/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-bal-rBA/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-ban-rID/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-be-rBY/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-ber-rDZ/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-bfo-rBF/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-bg-rBG/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-bh-rIN/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-bi-rVU/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-bm-rML/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-bn-rBD/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-bn-rIN/strings.xml | 139 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-bo-rBT/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-br-rFR/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-bs-rBA/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-ca-rES/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-ce-rCE/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-ceb-rPH/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-ch-rGU/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-chr-rUS/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-ckb-rIR/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-co-rFR/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-cr-rNT/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-crs-rSC/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-cs-rCZ/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-csb-rPL/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-cv-rCU/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-cy-rGB/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-da-rDK/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-de-rDE/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-dsb-rDE/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-dv-rMV/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-dz-rBT/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-ee-rGH/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-el-rGR/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-en-rGB/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-en-rUS/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-eo-rUY/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-es-rES/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-es-rMX/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-es-rVE/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-et-rEE/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-eu-rES/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-fa-rAF/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-fa-rIR/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-ff-rZA/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-fi-rFI/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-fil-rPH/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-fj-rFJ/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-fo-rFO/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-fr-rFR/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-fr-rQC/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-fra-rDE/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-frp-rIT/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-fur-rIT/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-fy-rNL/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-ga-rIE/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-gaa-rGH/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-gd-rGB/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-gl-rES/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-gn-rPY/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-gu-rIN/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-gv-rIM/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-ha-rHG/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-haw-rUS/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-hi-rIN/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-hil-rPH/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-hmn-rCN/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-ho-rPG/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-hr-rHR/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-hsb-rDE/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-ht-rHT/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-hu-rHU/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-hy-rAM/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-hz-rNA/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-ig-rNG/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-ii-rCN/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-ilo-rPH/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-in-rID/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-is-rIS/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-it-rIT/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-iu-rNU/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-iw-rIL/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-ja-rJP/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-jbo-rEN/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-ji-rDE/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-jv-rID/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-ka-rGE/strings.xml | 136 +++++++++++++ .../values-kab/google-playstore-strings.xml | 18 ++ .../main/res/android/values-kab/strings.xml | 136 +++++++++++++ .../values-kdh/google-playstore-strings.xml | 18 ++ .../main/res/android/values-kdh/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-kg-rCG/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-kj-rAO/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-kk-rKZ/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-kl-rGL/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-km-rKH/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-kmr-rTR/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-kn-rIN/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-ko-rKR/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-kok-rIN/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-ks-rIN/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-ku-rTR/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-kv-rKO/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-kw-rGB/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-ky-rKG/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-la-rLA/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-lb-rLU/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-lg-rUG/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-li-rLI/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-lij-rIT/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-ln-rCD/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-lo-rLA/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-lt-rLT/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-luy-rKE/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-lv-rLV/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-mai-rIN/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-me-rME/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-mg-rMG/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-mh-rMH/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-mi-rNZ/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-mk-rMK/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-ml-rIN/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-mn-rMN/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-moh-rCA/strings.xml | 136 +++++++++++++ .../values-mos/google-playstore-strings.xml | 18 ++ .../main/res/android/values-mos/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-mr-rIN/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-ms-rMY/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-mt-rMT/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-my-rMM/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-na-rNR/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-nb-rNO/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-nds-rDE/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-ne-rNP/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-ng-rNA/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-nl-rNL/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-nn-rNO/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-no-rNO/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-nr-rZA/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-ns-rZA/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-ny-rMW/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-oc-rFR/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-oj-rCA/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-om-rET/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-or-rIN/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-os-rSE/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-pa-rIN/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-pam-rPH/strings.xml | 136 +++++++++++++ .../values-pap/google-playstore-strings.xml | 18 ++ .../main/res/android/values-pap/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-pcm-rNG/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-pi-rIN/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-pl-rPL/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-ps-rAF/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-pt-rBR/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-pt-rPT/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-qu-rPE/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-quc-rGT/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-qya-rAA/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-rm-rCH/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-rn-rBI/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-ro-rRO/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-ru-rRU/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-rw-rRW/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-ry-rUA/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-sa-rIN/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-sat-rIN/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-sc-rIT/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-sco-rGB/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-sd-rPK/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-se-rNO/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-sg-rCF/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-sh-rHR/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-si-rLK/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-sk-rSK/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-sl-rSI/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-sma-rNO/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-sn-rZW/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-so-rSO/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-son-rZA/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-sq-rAL/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-sr-rCS/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-sr-rCy/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-sr-rSP/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-ss-rZA/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-st-rZA/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-su-rID/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-sv-rFI/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-sv-rSE/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-sw-rKE/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-sw-rTZ/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-syc-rSY/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-ta-rIN/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-tay-rTW/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-te-rIN/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-tg-rTJ/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-th-rTH/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-ti-rER/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-tk-rTM/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-tl-rPH/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-tn-rZA/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-tr-rTR/strings.xml | 137 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-ts-rZA/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-tt-rRU/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-tw-rTW/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-ty-rPF/strings.xml | 136 +++++++++++++ .../values-tzl/google-playstore-strings.xml | 18 ++ .../main/res/android/values-tzl/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-ug-rCN/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-uk-rUA/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-ur-rPK/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-uz-rUZ/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-val-rES/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-ve-rZA/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-vec-rIT/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-vi-rVN/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-vls-rBE/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-wa-rBE/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-wo-rSN/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-xh-rZA/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-yo-rNG/strings.xml | 136 +++++++++++++ .../values-zea/google-playstore-strings.xml | 18 ++ .../main/res/android/values-zea/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-zh-rCN/strings.xml | 137 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-zh-rTW/strings.xml | 136 +++++++++++++ .../google-playstore-strings.xml | 18 ++ .../res/android/values-zu-rZA/strings.xml | 136 +++++++++++++ app/src/main/res/android/values/attrs.xml | 5 + app/src/main/res/android/values/colors.xml | 19 ++ app/src/main/res/android/values/dimens.xml | 5 + .../values/google-playstore-strings.xml | 29 +++ app/src/main/res/android/values/strings.xml | 191 ++++++++++++++++++ app/src/main/res/android/values/styles.xml | 40 ++++ .../values/values_labelled_spinner.xml | 10 + app/src/main/res/android/xml/preferences.xml | 51 +++++ 519 files changed, 37390 insertions(+) create mode 100644 app/src/main/res/android/crowdin.yaml create mode 100644 app/src/main/res/android/drawable-hdpi/ic_add_black_24dp.png create mode 100644 app/src/main/res/android/drawable-hdpi/ic_logo.png create mode 100644 app/src/main/res/android/drawable-hdpi/ic_navigate_next_grey_24px.png create mode 100644 app/src/main/res/android/drawable-hdpi/ic_navigate_next_pink_24px.png create mode 100644 app/src/main/res/android/drawable-mdpi/ic_add_black_24dp.png create mode 100644 app/src/main/res/android/drawable-mdpi/ic_logo.png create mode 100644 app/src/main/res/android/drawable-mdpi/ic_navigate_next_grey_24px.png create mode 100644 app/src/main/res/android/drawable-mdpi/ic_navigate_next_pink_24px.png create mode 100644 app/src/main/res/android/drawable-xhdpi/ic_add_black_24dp.png create mode 100644 app/src/main/res/android/drawable-xhdpi/ic_logo.png create mode 100644 app/src/main/res/android/drawable-xhdpi/ic_navigate_next_grey_24px.png create mode 100644 app/src/main/res/android/drawable-xhdpi/ic_navigate_next_pink_24px.png create mode 100644 app/src/main/res/android/drawable-xxhdpi/ic_add_black_24dp.png create mode 100644 app/src/main/res/android/drawable-xxhdpi/ic_logo.png create mode 100644 app/src/main/res/android/drawable-xxhdpi/ic_navigate_next_grey_24px.png create mode 100644 app/src/main/res/android/drawable-xxhdpi/ic_navigate_next_pink_24px.png create mode 100644 app/src/main/res/android/drawable-xxxhdpi/ic_add_black_24dp.png create mode 100644 app/src/main/res/android/drawable-xxxhdpi/ic_logo.png create mode 100644 app/src/main/res/android/drawable-xxxhdpi/ic_navigate_next_grey_24px.png create mode 100644 app/src/main/res/android/drawable-xxxhdpi/ic_navigate_next_pink_24px.png create mode 100644 app/src/main/res/android/drawable/curved_line_horizontal.xml create mode 100644 app/src/main/res/android/drawable/curved_line_vertical.xml create mode 100644 app/src/main/res/android/layout/activity_hello.xml create mode 100644 app/src/main/res/android/layout/activity_licence.xml create mode 100644 app/src/main/res/android/layout/activity_main.xml create mode 100644 app/src/main/res/android/layout/dialog_add.xml create mode 100644 app/src/main/res/android/layout/fragment_assistant.xml create mode 100644 app/src/main/res/android/layout/fragment_assistant_item.xml create mode 100644 app/src/main/res/android/layout/fragment_history.xml create mode 100644 app/src/main/res/android/layout/fragment_history_item.xml create mode 100644 app/src/main/res/android/layout/fragment_overview.xml create mode 100644 app/src/main/res/android/layout/preferences.xml create mode 100644 app/src/main/res/android/layout/widget_labelled_spinner.xml create mode 100644 app/src/main/res/android/menu/menu_hello.xml create mode 100644 app/src/main/res/android/menu/menu_main.xml create mode 100644 app/src/main/res/android/mipmap-hdpi/ic_launcher.png create mode 100644 app/src/main/res/android/mipmap-mdpi/ic_launcher.png create mode 100644 app/src/main/res/android/mipmap-xhdpi/ic_launcher.png create mode 100644 app/src/main/res/android/mipmap-xxhdpi/ic_launcher.png create mode 100644 app/src/main/res/android/mipmap-xxxhdpi/ic_launcher.png create mode 100644 app/src/main/res/android/values-aa-rER/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-aa-rER/strings.xml create mode 100644 app/src/main/res/android/values-ach-rUG/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-ach-rUG/strings.xml create mode 100644 app/src/main/res/android/values-ae-rIR/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-ae-rIR/strings.xml create mode 100644 app/src/main/res/android/values-af-rZA/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-af-rZA/strings.xml create mode 100644 app/src/main/res/android/values-ak-rGH/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-ak-rGH/strings.xml create mode 100644 app/src/main/res/android/values-am-rET/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-am-rET/strings.xml create mode 100644 app/src/main/res/android/values-an-rES/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-an-rES/strings.xml create mode 100644 app/src/main/res/android/values-ar-rSA/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-ar-rSA/strings.xml create mode 100644 app/src/main/res/android/values-arn-rCL/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-arn-rCL/strings.xml create mode 100644 app/src/main/res/android/values-as-rIN/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-as-rIN/strings.xml create mode 100644 app/src/main/res/android/values-ast-rES/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-ast-rES/strings.xml create mode 100644 app/src/main/res/android/values-av-rDA/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-av-rDA/strings.xml create mode 100644 app/src/main/res/android/values-ay-rBO/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-ay-rBO/strings.xml create mode 100644 app/src/main/res/android/values-az-rAZ/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-az-rAZ/strings.xml create mode 100644 app/src/main/res/android/values-ba-rRU/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-ba-rRU/strings.xml create mode 100644 app/src/main/res/android/values-bal-rBA/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-bal-rBA/strings.xml create mode 100644 app/src/main/res/android/values-ban-rID/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-ban-rID/strings.xml create mode 100644 app/src/main/res/android/values-be-rBY/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-be-rBY/strings.xml create mode 100644 app/src/main/res/android/values-ber-rDZ/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-ber-rDZ/strings.xml create mode 100644 app/src/main/res/android/values-bfo-rBF/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-bfo-rBF/strings.xml create mode 100644 app/src/main/res/android/values-bg-rBG/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-bg-rBG/strings.xml create mode 100644 app/src/main/res/android/values-bh-rIN/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-bh-rIN/strings.xml create mode 100644 app/src/main/res/android/values-bi-rVU/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-bi-rVU/strings.xml create mode 100644 app/src/main/res/android/values-bm-rML/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-bm-rML/strings.xml create mode 100644 app/src/main/res/android/values-bn-rBD/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-bn-rBD/strings.xml create mode 100644 app/src/main/res/android/values-bn-rIN/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-bn-rIN/strings.xml create mode 100644 app/src/main/res/android/values-bo-rBT/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-bo-rBT/strings.xml create mode 100644 app/src/main/res/android/values-br-rFR/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-br-rFR/strings.xml create mode 100644 app/src/main/res/android/values-bs-rBA/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-bs-rBA/strings.xml create mode 100644 app/src/main/res/android/values-ca-rES/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-ca-rES/strings.xml create mode 100644 app/src/main/res/android/values-ce-rCE/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-ce-rCE/strings.xml create mode 100644 app/src/main/res/android/values-ceb-rPH/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-ceb-rPH/strings.xml create mode 100644 app/src/main/res/android/values-ch-rGU/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-ch-rGU/strings.xml create mode 100644 app/src/main/res/android/values-chr-rUS/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-chr-rUS/strings.xml create mode 100644 app/src/main/res/android/values-ckb-rIR/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-ckb-rIR/strings.xml create mode 100644 app/src/main/res/android/values-co-rFR/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-co-rFR/strings.xml create mode 100644 app/src/main/res/android/values-cr-rNT/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-cr-rNT/strings.xml create mode 100644 app/src/main/res/android/values-crs-rSC/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-crs-rSC/strings.xml create mode 100644 app/src/main/res/android/values-cs-rCZ/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-cs-rCZ/strings.xml create mode 100644 app/src/main/res/android/values-csb-rPL/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-csb-rPL/strings.xml create mode 100644 app/src/main/res/android/values-cv-rCU/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-cv-rCU/strings.xml create mode 100644 app/src/main/res/android/values-cy-rGB/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-cy-rGB/strings.xml create mode 100644 app/src/main/res/android/values-da-rDK/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-da-rDK/strings.xml create mode 100644 app/src/main/res/android/values-de-rDE/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-de-rDE/strings.xml create mode 100644 app/src/main/res/android/values-dsb-rDE/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-dsb-rDE/strings.xml create mode 100644 app/src/main/res/android/values-dv-rMV/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-dv-rMV/strings.xml create mode 100644 app/src/main/res/android/values-dz-rBT/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-dz-rBT/strings.xml create mode 100644 app/src/main/res/android/values-ee-rGH/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-ee-rGH/strings.xml create mode 100644 app/src/main/res/android/values-el-rGR/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-el-rGR/strings.xml create mode 100644 app/src/main/res/android/values-en-rGB/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-en-rGB/strings.xml create mode 100644 app/src/main/res/android/values-en-rUS/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-en-rUS/strings.xml create mode 100644 app/src/main/res/android/values-eo-rUY/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-eo-rUY/strings.xml create mode 100644 app/src/main/res/android/values-es-rES/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-es-rES/strings.xml create mode 100644 app/src/main/res/android/values-es-rMX/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-es-rMX/strings.xml create mode 100644 app/src/main/res/android/values-es-rVE/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-es-rVE/strings.xml create mode 100644 app/src/main/res/android/values-et-rEE/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-et-rEE/strings.xml create mode 100644 app/src/main/res/android/values-eu-rES/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-eu-rES/strings.xml create mode 100644 app/src/main/res/android/values-fa-rAF/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-fa-rAF/strings.xml create mode 100644 app/src/main/res/android/values-fa-rIR/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-fa-rIR/strings.xml create mode 100644 app/src/main/res/android/values-ff-rZA/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-ff-rZA/strings.xml create mode 100644 app/src/main/res/android/values-fi-rFI/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-fi-rFI/strings.xml create mode 100644 app/src/main/res/android/values-fil-rPH/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-fil-rPH/strings.xml create mode 100644 app/src/main/res/android/values-fj-rFJ/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-fj-rFJ/strings.xml create mode 100644 app/src/main/res/android/values-fo-rFO/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-fo-rFO/strings.xml create mode 100644 app/src/main/res/android/values-fr-rFR/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-fr-rFR/strings.xml create mode 100644 app/src/main/res/android/values-fr-rQC/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-fr-rQC/strings.xml create mode 100644 app/src/main/res/android/values-fra-rDE/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-fra-rDE/strings.xml create mode 100644 app/src/main/res/android/values-frp-rIT/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-frp-rIT/strings.xml create mode 100644 app/src/main/res/android/values-fur-rIT/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-fur-rIT/strings.xml create mode 100644 app/src/main/res/android/values-fy-rNL/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-fy-rNL/strings.xml create mode 100644 app/src/main/res/android/values-ga-rIE/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-ga-rIE/strings.xml create mode 100644 app/src/main/res/android/values-gaa-rGH/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-gaa-rGH/strings.xml create mode 100644 app/src/main/res/android/values-gd-rGB/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-gd-rGB/strings.xml create mode 100644 app/src/main/res/android/values-gl-rES/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-gl-rES/strings.xml create mode 100644 app/src/main/res/android/values-gn-rPY/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-gn-rPY/strings.xml create mode 100644 app/src/main/res/android/values-gu-rIN/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-gu-rIN/strings.xml create mode 100644 app/src/main/res/android/values-gv-rIM/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-gv-rIM/strings.xml create mode 100644 app/src/main/res/android/values-ha-rHG/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-ha-rHG/strings.xml create mode 100644 app/src/main/res/android/values-haw-rUS/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-haw-rUS/strings.xml create mode 100644 app/src/main/res/android/values-hi-rIN/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-hi-rIN/strings.xml create mode 100644 app/src/main/res/android/values-hil-rPH/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-hil-rPH/strings.xml create mode 100644 app/src/main/res/android/values-hmn-rCN/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-hmn-rCN/strings.xml create mode 100644 app/src/main/res/android/values-ho-rPG/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-ho-rPG/strings.xml create mode 100644 app/src/main/res/android/values-hr-rHR/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-hr-rHR/strings.xml create mode 100644 app/src/main/res/android/values-hsb-rDE/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-hsb-rDE/strings.xml create mode 100644 app/src/main/res/android/values-ht-rHT/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-ht-rHT/strings.xml create mode 100644 app/src/main/res/android/values-hu-rHU/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-hu-rHU/strings.xml create mode 100644 app/src/main/res/android/values-hy-rAM/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-hy-rAM/strings.xml create mode 100644 app/src/main/res/android/values-hz-rNA/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-hz-rNA/strings.xml create mode 100644 app/src/main/res/android/values-ig-rNG/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-ig-rNG/strings.xml create mode 100644 app/src/main/res/android/values-ii-rCN/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-ii-rCN/strings.xml create mode 100644 app/src/main/res/android/values-ilo-rPH/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-ilo-rPH/strings.xml create mode 100644 app/src/main/res/android/values-in-rID/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-in-rID/strings.xml create mode 100644 app/src/main/res/android/values-is-rIS/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-is-rIS/strings.xml create mode 100644 app/src/main/res/android/values-it-rIT/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-it-rIT/strings.xml create mode 100644 app/src/main/res/android/values-iu-rNU/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-iu-rNU/strings.xml create mode 100644 app/src/main/res/android/values-iw-rIL/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-iw-rIL/strings.xml create mode 100644 app/src/main/res/android/values-ja-rJP/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-ja-rJP/strings.xml create mode 100644 app/src/main/res/android/values-jbo-rEN/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-jbo-rEN/strings.xml create mode 100644 app/src/main/res/android/values-ji-rDE/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-ji-rDE/strings.xml create mode 100644 app/src/main/res/android/values-jv-rID/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-jv-rID/strings.xml create mode 100644 app/src/main/res/android/values-ka-rGE/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-ka-rGE/strings.xml create mode 100644 app/src/main/res/android/values-kab/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-kab/strings.xml create mode 100644 app/src/main/res/android/values-kdh/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-kdh/strings.xml create mode 100644 app/src/main/res/android/values-kg-rCG/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-kg-rCG/strings.xml create mode 100644 app/src/main/res/android/values-kj-rAO/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-kj-rAO/strings.xml create mode 100644 app/src/main/res/android/values-kk-rKZ/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-kk-rKZ/strings.xml create mode 100644 app/src/main/res/android/values-kl-rGL/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-kl-rGL/strings.xml create mode 100644 app/src/main/res/android/values-km-rKH/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-km-rKH/strings.xml create mode 100644 app/src/main/res/android/values-kmr-rTR/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-kmr-rTR/strings.xml create mode 100644 app/src/main/res/android/values-kn-rIN/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-kn-rIN/strings.xml create mode 100644 app/src/main/res/android/values-ko-rKR/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-ko-rKR/strings.xml create mode 100644 app/src/main/res/android/values-kok-rIN/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-kok-rIN/strings.xml create mode 100644 app/src/main/res/android/values-ks-rIN/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-ks-rIN/strings.xml create mode 100644 app/src/main/res/android/values-ku-rTR/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-ku-rTR/strings.xml create mode 100644 app/src/main/res/android/values-kv-rKO/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-kv-rKO/strings.xml create mode 100644 app/src/main/res/android/values-kw-rGB/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-kw-rGB/strings.xml create mode 100644 app/src/main/res/android/values-ky-rKG/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-ky-rKG/strings.xml create mode 100644 app/src/main/res/android/values-la-rLA/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-la-rLA/strings.xml create mode 100644 app/src/main/res/android/values-lb-rLU/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-lb-rLU/strings.xml create mode 100644 app/src/main/res/android/values-lg-rUG/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-lg-rUG/strings.xml create mode 100644 app/src/main/res/android/values-li-rLI/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-li-rLI/strings.xml create mode 100644 app/src/main/res/android/values-lij-rIT/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-lij-rIT/strings.xml create mode 100644 app/src/main/res/android/values-ln-rCD/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-ln-rCD/strings.xml create mode 100644 app/src/main/res/android/values-lo-rLA/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-lo-rLA/strings.xml create mode 100644 app/src/main/res/android/values-lt-rLT/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-lt-rLT/strings.xml create mode 100644 app/src/main/res/android/values-luy-rKE/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-luy-rKE/strings.xml create mode 100644 app/src/main/res/android/values-lv-rLV/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-lv-rLV/strings.xml create mode 100644 app/src/main/res/android/values-mai-rIN/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-mai-rIN/strings.xml create mode 100644 app/src/main/res/android/values-me-rME/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-me-rME/strings.xml create mode 100644 app/src/main/res/android/values-mg-rMG/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-mg-rMG/strings.xml create mode 100644 app/src/main/res/android/values-mh-rMH/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-mh-rMH/strings.xml create mode 100644 app/src/main/res/android/values-mi-rNZ/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-mi-rNZ/strings.xml create mode 100644 app/src/main/res/android/values-mk-rMK/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-mk-rMK/strings.xml create mode 100644 app/src/main/res/android/values-ml-rIN/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-ml-rIN/strings.xml create mode 100644 app/src/main/res/android/values-mn-rMN/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-mn-rMN/strings.xml create mode 100644 app/src/main/res/android/values-moh-rCA/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-moh-rCA/strings.xml create mode 100644 app/src/main/res/android/values-mos/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-mos/strings.xml create mode 100644 app/src/main/res/android/values-mr-rIN/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-mr-rIN/strings.xml create mode 100644 app/src/main/res/android/values-ms-rMY/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-ms-rMY/strings.xml create mode 100644 app/src/main/res/android/values-mt-rMT/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-mt-rMT/strings.xml create mode 100644 app/src/main/res/android/values-my-rMM/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-my-rMM/strings.xml create mode 100644 app/src/main/res/android/values-na-rNR/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-na-rNR/strings.xml create mode 100644 app/src/main/res/android/values-nb-rNO/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-nb-rNO/strings.xml create mode 100644 app/src/main/res/android/values-nds-rDE/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-nds-rDE/strings.xml create mode 100644 app/src/main/res/android/values-ne-rNP/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-ne-rNP/strings.xml create mode 100644 app/src/main/res/android/values-ng-rNA/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-ng-rNA/strings.xml create mode 100644 app/src/main/res/android/values-nl-rNL/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-nl-rNL/strings.xml create mode 100644 app/src/main/res/android/values-nn-rNO/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-nn-rNO/strings.xml create mode 100644 app/src/main/res/android/values-no-rNO/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-no-rNO/strings.xml create mode 100644 app/src/main/res/android/values-nr-rZA/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-nr-rZA/strings.xml create mode 100644 app/src/main/res/android/values-ns-rZA/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-ns-rZA/strings.xml create mode 100644 app/src/main/res/android/values-ny-rMW/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-ny-rMW/strings.xml create mode 100644 app/src/main/res/android/values-oc-rFR/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-oc-rFR/strings.xml create mode 100644 app/src/main/res/android/values-oj-rCA/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-oj-rCA/strings.xml create mode 100644 app/src/main/res/android/values-om-rET/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-om-rET/strings.xml create mode 100644 app/src/main/res/android/values-or-rIN/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-or-rIN/strings.xml create mode 100644 app/src/main/res/android/values-os-rSE/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-os-rSE/strings.xml create mode 100644 app/src/main/res/android/values-pa-rIN/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-pa-rIN/strings.xml create mode 100644 app/src/main/res/android/values-pam-rPH/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-pam-rPH/strings.xml create mode 100644 app/src/main/res/android/values-pap/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-pap/strings.xml create mode 100644 app/src/main/res/android/values-pcm-rNG/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-pcm-rNG/strings.xml create mode 100644 app/src/main/res/android/values-pi-rIN/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-pi-rIN/strings.xml create mode 100644 app/src/main/res/android/values-pl-rPL/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-pl-rPL/strings.xml create mode 100644 app/src/main/res/android/values-ps-rAF/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-ps-rAF/strings.xml create mode 100644 app/src/main/res/android/values-pt-rBR/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-pt-rBR/strings.xml create mode 100644 app/src/main/res/android/values-pt-rPT/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-pt-rPT/strings.xml create mode 100644 app/src/main/res/android/values-qu-rPE/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-qu-rPE/strings.xml create mode 100644 app/src/main/res/android/values-quc-rGT/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-quc-rGT/strings.xml create mode 100644 app/src/main/res/android/values-qya-rAA/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-qya-rAA/strings.xml create mode 100644 app/src/main/res/android/values-rm-rCH/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-rm-rCH/strings.xml create mode 100644 app/src/main/res/android/values-rn-rBI/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-rn-rBI/strings.xml create mode 100644 app/src/main/res/android/values-ro-rRO/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-ro-rRO/strings.xml create mode 100644 app/src/main/res/android/values-ru-rRU/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-ru-rRU/strings.xml create mode 100644 app/src/main/res/android/values-rw-rRW/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-rw-rRW/strings.xml create mode 100644 app/src/main/res/android/values-ry-rUA/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-ry-rUA/strings.xml create mode 100644 app/src/main/res/android/values-sa-rIN/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-sa-rIN/strings.xml create mode 100644 app/src/main/res/android/values-sat-rIN/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-sat-rIN/strings.xml create mode 100644 app/src/main/res/android/values-sc-rIT/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-sc-rIT/strings.xml create mode 100644 app/src/main/res/android/values-sco-rGB/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-sco-rGB/strings.xml create mode 100644 app/src/main/res/android/values-sd-rPK/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-sd-rPK/strings.xml create mode 100644 app/src/main/res/android/values-se-rNO/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-se-rNO/strings.xml create mode 100644 app/src/main/res/android/values-sg-rCF/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-sg-rCF/strings.xml create mode 100644 app/src/main/res/android/values-sh-rHR/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-sh-rHR/strings.xml create mode 100644 app/src/main/res/android/values-si-rLK/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-si-rLK/strings.xml create mode 100644 app/src/main/res/android/values-sk-rSK/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-sk-rSK/strings.xml create mode 100644 app/src/main/res/android/values-sl-rSI/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-sl-rSI/strings.xml create mode 100644 app/src/main/res/android/values-sma-rNO/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-sma-rNO/strings.xml create mode 100644 app/src/main/res/android/values-sn-rZW/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-sn-rZW/strings.xml create mode 100644 app/src/main/res/android/values-so-rSO/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-so-rSO/strings.xml create mode 100644 app/src/main/res/android/values-son-rZA/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-son-rZA/strings.xml create mode 100644 app/src/main/res/android/values-sq-rAL/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-sq-rAL/strings.xml create mode 100644 app/src/main/res/android/values-sr-rCS/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-sr-rCS/strings.xml create mode 100644 app/src/main/res/android/values-sr-rCy/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-sr-rCy/strings.xml create mode 100644 app/src/main/res/android/values-sr-rSP/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-sr-rSP/strings.xml create mode 100644 app/src/main/res/android/values-ss-rZA/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-ss-rZA/strings.xml create mode 100644 app/src/main/res/android/values-st-rZA/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-st-rZA/strings.xml create mode 100644 app/src/main/res/android/values-su-rID/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-su-rID/strings.xml create mode 100644 app/src/main/res/android/values-sv-rFI/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-sv-rFI/strings.xml create mode 100644 app/src/main/res/android/values-sv-rSE/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-sv-rSE/strings.xml create mode 100644 app/src/main/res/android/values-sw-rKE/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-sw-rKE/strings.xml create mode 100644 app/src/main/res/android/values-sw-rTZ/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-sw-rTZ/strings.xml create mode 100644 app/src/main/res/android/values-syc-rSY/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-syc-rSY/strings.xml create mode 100644 app/src/main/res/android/values-ta-rIN/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-ta-rIN/strings.xml create mode 100644 app/src/main/res/android/values-tay-rTW/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-tay-rTW/strings.xml create mode 100644 app/src/main/res/android/values-te-rIN/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-te-rIN/strings.xml create mode 100644 app/src/main/res/android/values-tg-rTJ/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-tg-rTJ/strings.xml create mode 100644 app/src/main/res/android/values-th-rTH/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-th-rTH/strings.xml create mode 100644 app/src/main/res/android/values-ti-rER/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-ti-rER/strings.xml create mode 100644 app/src/main/res/android/values-tk-rTM/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-tk-rTM/strings.xml create mode 100644 app/src/main/res/android/values-tl-rPH/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-tl-rPH/strings.xml create mode 100644 app/src/main/res/android/values-tn-rZA/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-tn-rZA/strings.xml create mode 100644 app/src/main/res/android/values-tr-rTR/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-tr-rTR/strings.xml create mode 100644 app/src/main/res/android/values-ts-rZA/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-ts-rZA/strings.xml create mode 100644 app/src/main/res/android/values-tt-rRU/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-tt-rRU/strings.xml create mode 100644 app/src/main/res/android/values-tw-rTW/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-tw-rTW/strings.xml create mode 100644 app/src/main/res/android/values-ty-rPF/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-ty-rPF/strings.xml create mode 100644 app/src/main/res/android/values-tzl/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-tzl/strings.xml create mode 100644 app/src/main/res/android/values-ug-rCN/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-ug-rCN/strings.xml create mode 100644 app/src/main/res/android/values-uk-rUA/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-uk-rUA/strings.xml create mode 100644 app/src/main/res/android/values-ur-rPK/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-ur-rPK/strings.xml create mode 100644 app/src/main/res/android/values-uz-rUZ/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-uz-rUZ/strings.xml create mode 100644 app/src/main/res/android/values-val-rES/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-val-rES/strings.xml create mode 100644 app/src/main/res/android/values-ve-rZA/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-ve-rZA/strings.xml create mode 100644 app/src/main/res/android/values-vec-rIT/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-vec-rIT/strings.xml create mode 100644 app/src/main/res/android/values-vi-rVN/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-vi-rVN/strings.xml create mode 100644 app/src/main/res/android/values-vls-rBE/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-vls-rBE/strings.xml create mode 100644 app/src/main/res/android/values-wa-rBE/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-wa-rBE/strings.xml create mode 100644 app/src/main/res/android/values-wo-rSN/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-wo-rSN/strings.xml create mode 100644 app/src/main/res/android/values-xh-rZA/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-xh-rZA/strings.xml create mode 100644 app/src/main/res/android/values-yo-rNG/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-yo-rNG/strings.xml create mode 100644 app/src/main/res/android/values-zea/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-zea/strings.xml create mode 100644 app/src/main/res/android/values-zh-rCN/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-zh-rCN/strings.xml create mode 100644 app/src/main/res/android/values-zh-rTW/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-zh-rTW/strings.xml create mode 100644 app/src/main/res/android/values-zu-rZA/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values-zu-rZA/strings.xml create mode 100644 app/src/main/res/android/values/attrs.xml create mode 100644 app/src/main/res/android/values/colors.xml create mode 100644 app/src/main/res/android/values/dimens.xml create mode 100644 app/src/main/res/android/values/google-playstore-strings.xml create mode 100644 app/src/main/res/android/values/strings.xml create mode 100644 app/src/main/res/android/values/styles.xml create mode 100644 app/src/main/res/android/values/values_labelled_spinner.xml create mode 100644 app/src/main/res/android/xml/preferences.xml diff --git a/app/src/main/res/android/crowdin.yaml b/app/src/main/res/android/crowdin.yaml new file mode 100644 index 00000000..33c7f4e2 --- /dev/null +++ b/app/src/main/res/android/crowdin.yaml @@ -0,0 +1,18 @@ +--- +project_identifier: 'glucosio' +api_key_env: 'CROWDIN_API_KEY' +base_url: 'https://api.crowdin.com' + +files: + - + source: '/values/strings.xml' + translation: '/values-%android_code%/%original_file_name%' + languages_mapping: + android_code: + sr-Cyrl-ME: sr-rCy + kab: kab + kdh: kdh + zea: zea + tzl: tzl + pap: pap + mos: mos diff --git a/app/src/main/res/android/drawable-hdpi/ic_add_black_24dp.png b/app/src/main/res/android/drawable-hdpi/ic_add_black_24dp.png new file mode 100644 index 0000000000000000000000000000000000000000..c04b523c482b77824608a836515e865579f8b00c GIT binary patch literal 124 zcmeAS@N?(olHy`uVBq!ia0vp^Dj>|k0wldT1B8K;v!{z=NCji^0d}{88U+a%3{LE) zc(W3I@VD?TX6u!5iTdQ+%zl7P_JBaSLWcds4UNy(0^e=DSmGkkBjwV6s9vOpiQ(Iw WlC8ByowtC-F?hQAxvXDGZUn|Zx#Rm02y>e zSad^gZEa<4bO1wgWnpw>WFU8GbZ8()Nlj2!fese{00&G-L_t(&-tC%uj8)YY#((QF zJZ1)pgCioS_@H8yVii$K1R~aoh>avAYHAgAEQ-}ciO&*EYSU+$Ui zJpf5Rk+dqfo|E()dXbu|{*rE!^tz;FlCIdB`m0KOv3z@RenZNQ%--D+mr zdu>$_Mh3>kH`8Ij-ZikK0`PO-x4`h6@-;v;(AsOKitz@}2n_T4Rlw?=aM70lzt7mU z?LZ+~Z2*s&+3sFDRR%L#E@>w4BcKC#*335VRRc>p1Gpz)-1Wc$U?uRW8+a&i3@`y0 z1^lbmO#io$mjTOqLU)zB=BwTJhxiB3U}hgCl$?k-qmN)kSUQM{WLDsV;BVN7BzEtx;+0_EKa-Bs);j97(G)WH(E? zOVWWQ`Z-?GB1vCn=xCO-P|`tx+>FF`j!5V?FF)Us)LBA*lcf74jSOA%3}A4eYZq{b znXTK8YRPI~o@f8n8BGg7lkccd_8wq1U>UN*ft!J2B>lq7wgo!I0#A8HoP`7YYVPLv zs(?Aboj?|!PzPKGOp$b%nXRY-eh@W!2UxtHg|X?tO;OU=0sPx*_7R>pQ~@tXN#Vsn zLuA~Yp2@a)7zsVb3}AzohDBF9H8O5H@PxbN!OjUx^c?4TGwbN)_$GUGQyV<{3Rnkh z1x9;mRm2$JSCTHMie3P$H?y{2_0)MxDP(luH8cBsAMM@(a6x3;7T`9I)h#}TvB2rT zl1TR2NOmP~qsPl#Zk*pZAyGtw8}RL5cN6KDQ=CUheSzbFNfmCMiz4GT`GS7Z%yvjR z61V}lDj3UDU>ff8L;N8oJ|wj(8{_s>43>1Xq{gVty^<`);uw_}%N2=s6D74p?dAsW z?~dMmA?Z4I|K<9S8G|L&`$!uAo4ED`L zyA{4GLmU@{weWkj9@m#hx+;}4bpziAj)?5@_e80c>ifxs1PfKOpBebjXpuI0$&gnz z#D9RziOJguY>XZc3w}Qjyc)gl=Pvm{;1x;pBn_)zd?UPEE225km#<6B=>G76*Lfih ziS8SL`+?v2wdmXC0m{6O-C!H=MNZuV5^P<2iMFk!zH4Tm0ha?0dx93@NY8+u@r=7W zs7~~8X9nB2$7U_KdkJx(q@#n*e`IDio7r45n+yE;TQ>0EGVi}i7_B;|?zV*NfD&zM zvL@3Bq1m3%KLC7`&@lnHPtu@njK4L}$C|tgwg4vdq^UI>6fT+w1nx@gwn=X2yx0^i;<}7Ei9^7ag40_Yq8D={ zo!i3(jcdW9;z{%Ze@YoW>!Vd(3!GOfi}d(HlOkG`a&g|wHk#S3zFD@0 z^srNmd9em~FSzdmob4rEJg!sYa;@Me7cmDs6nIF|4U*~uC4GSd_mY7>OYEMRMZ@^F zuJkN23#<9xv(sywkO(K>07?d9l`0{_vk3 zw|EZFvBu1l)j$jO>_4&(p__h8@|yq zyLE2d*PI9lbxfw~jJb$UfO*cg#NRv0W9?)o9_0F81^#Ge8zoJn>mMiObX5a0fpgp~ z*83uE0Y2~ve$?YyDghho@$Hm=VA$$0eu*<=+Y@q!IafWwIp=!1&Y?TJzw3aPf#+h* zUeb79=%EY0-ORR@=;N_&z|%ck*7*1~_&5F%j_dS!u literal 0 HcmV?d00001 diff --git a/app/src/main/res/android/drawable-hdpi/ic_navigate_next_grey_24px.png b/app/src/main/res/android/drawable-hdpi/ic_navigate_next_grey_24px.png new file mode 100644 index 0000000000000000000000000000000000000000..d94bfacb724a23dbf840a4e7d0a7803cc579e01d GIT binary patch literal 429 zcmV;e0aE^nP)N^$0!rs3%S&sP;;wL{p;L324uk_Gn5}I|1$aqW7qCZeWaY z*4oizGI`Sm{>~Q#W#)YVR{&N4JQC5cEX$W=U}K>bfb0+KnTQ5uSw3lFqo5v>W!VW4 zodG`u4iUY2Y*7>sn%HQl$Bf70BN4d(U<2;m7_(Cp#l03*1?n-(JPP}D#s7=QhluRW zX0tmDtQs_6haxg3qP2kg1aMeY)jSrf3JusT05<^E1MUmJaaC29F<5n|$2jLUjWM?X zHUdsWNg4QL}v^^!-G_kt=Dbc!wnzpAznpAe(|2lhC$?aKVk z!Gknb2^wMsMQ;~G`@nC36Oc8kIJZall2~PEh3Ah9>6XQNWyqWK|!*5DW6dFpN%l?uz!WDqo zST-caw$p2!sYu14QL@Y4B3X0|U@pcnnD_F%b~7vX|3bCcdM$n?Ev_dmE_^MXP;H8m z!1Y!MbTRQ|UR0128)de*&NenCws6k+%4C^0mX|3DBx#O;CMA@%-z1tgv83@P(WHdZ m_M1f0CYChbB$|{^+Ws#rPKhfE%;IDGb@a~*N6ZB02y>e zSad^gZEa<4bO1wgWnpw>WFU8GbZ8()Nlj2!fese{00gs1L_t(o!`+x`h*eb-$A9b2 zXo=69veA?z%{0r>FfFpM(h^Ihv`i%I^+mGBm%bQ;2B9dLnM6=2Cix*oO6;LR2~MV% z4Ead0NykTF+N6|O>dgH6@;|gW-8()Dbiw7Wv)0<{?7jAS9>{^Df~0Pe21~j_Qa?#; zipWiuROjC~E>Ms(Qc{hijgkhR>H6|SQA=Pf@HlWA(9WzzV7H_-z^sVaX?g{4wei+m zxbP5gv+}^MNJ6eTne^%7C80MBq{`KKKea3LFO3ovjB>1)c!{5U>&W z!ip<_A;4Z>%SC9wg}|3UV?^vdV*@(wU$F52<^fY9;#d;it$~V&&}rn9F+eXrz84X{ zB)o}07vOi`orpM@@Y(_o0)v3dEb|?(I!PNyYUi*U2($$b0@c805pg`Xmr7tXa1+o5 zIAWcvB4U@t?gDPL{OX9P$?3QScmU`QGyvOxs)*Q^3Czh+jNV1kDiw$2iCiy9>x#%UN%}xi`$V>{r0peiZp+RoX;wm?oUCslX_};? zMb_6!8k*(6LCF~xMa0qnxeAs8bAe$d{Q+zRGS6LQxiVn33mo>Qt-xQ7p2vV!C1sKH zG|=1l7GSCK-3egRX`FKc@UjbJ6YxFoqj^1m#gclL1KqN-05#rhdvBWb)F1ne{35qJ?;E9rGfSDs=|oq?9d_vFI84mf1|ssgaz4*~QszSqrVUts2WG**iu zw6X+mJWV}Kc}L3kwyvhbfw!D50XhKB18+zwoWr{^TA=`JN|+BzDvOAd5m6Trb-=IZ zV6c|C_M@_h%#j4|+KjHBOL#4AjWVdukcik35tE%~-vzQZXN;Yr6dXt*ud4@*^j()5 zKU4rd0pW`@1wM9^taO*q9~cExN!n(a0f~{Tjn9_U0r=W`YL%Sj7_g_* z0V1M7QkCTkzye8k+i>G8)&MNdZn{F!3Y{8GrwaFX)yuo7QXL9DD~AeFIzo@4%&`-4tjvu&Sye z&+|9nJcQ7h*|ntYSZFkG2(Ih;B+IfF;0pKv7Ls1aKt}Ss|NR*l7=Hd|_#Z2|yJIyemXc&4$l(9RX{;}Vgy%9cFvK!2F#Kg;_@5!MyJHTq zmXd5C*wTgurk6*5PGn$U$N_N~{xeib>}l^H#?rxWAzg!%u8D^3+2Vz3#U=&@Mqj#R z{Fg2jN(_ul^BEZ!^665v5tHPJQA1X?AjV)^YDO)jB=oTA9Su^d2Ppt~vt=D?rG8%k O0000!J6N0?fLsPoS3j3^P60018d1^@s6U{l7800006VoOIv0RI60 z0RN!9r;`8x010qNS#tmY3ljhU3ljkVnw%H_000McNliru-w6>DGz}5*#IgVY02y>e zSad^gZEa<4bO1wgWnpw>WFU8GbZ8()Nlj2!fese{01DJeL_t(|+U=Wrke|~T$3M?+ zH=EnKghUd#k()#$LflIz+Ckig7G+HJqFO^~lVECerY+M-O_c=ggsLd2b!jvurILzE zf`|x76tU!fl_0m>WcS-Y-sd-d-kkHh?Izi<-6@tOk|>i_NUQ z0J(O+k-&bb_SaijVW%)(d*D~Vw{n_K1}cDG>{JGn)E4+Ea5gXu=m+c;cy$9%15B6n z3@~L!d_65_5)1-P4DiK?l5RG$%{!a{CGF{7#F@ZRz@7!@vOUcWiSz#>*v@2ylrMncf`Pz&V22F8-SA{@2&7j{u`J9EH|?T@7uvAKG2QX z-oV{Oc*8AdK2os31;!2+8d(W=EO1ujosWQ@0)NdiU25`cfwjOJk{$-SnAx%>3={MK z`UZZQYi29+^cx6tNj0wr-Y~PeBF1e43LsEqyT1RU-Hpr<<(TYR21PJ51-t%&rm0uJ_mxma#y^GjIUp}xLePHQW$ z9C#O)VP*?rolVm13S*S6d$UQ>Y)Q9C8ZOBq^x8{0Ptrt5Ya+C^NSY&QoTL*ZWs2CxZjweznjvX} z;`mh3Ym&xF8X>7V&A`4d>AkwMh&gnW^kYd+N?H*af2*YVl5UYSC`6>cq<12lGRD<2 zJCOmejx6k(1;)8I&}X)!&UyOmCuzK-%_<)Cl71FqKuL#5dfY$cVzElnbsmF_&GSS_ zGbJ^sG|cy`M=q_-zAtIqn`eBJbd;pYc|On(-j#Hfq&;#~@Nl==LhkwPX14LmULy__^EN_l6`iFq$MWP%5TJRbgou2K>p@ekte+ zi~(Bt-jD%?L_#jlo7v(o3G*57L*TSL%vTSDY{wUXw*&Nk0325!q7ZY`+5)2`9TE8L zhzQ-Sz#G6*z<>Pjjj8!hX@b3~2CgZJCS63h5?5GPX?T`V}Q#7^wxVcVX`|274GO<;ErG}1_EOwU1VlUa@q%zWS-Kv z9~fn3ALT?R2KzjZ0rv258;dg{4r?v&kgsp0hv*IkE_6pO_rvb#O!&QQkwFMc0^Hvn z_%_8AF??udf8IqH@Fcda&cQw1%gyZ7blgl*g){EL)E-rkq$9fr=sg5nX=b%KZPO$@ z2Rs4npL+i|SK$xlw8d=lMOo&{iB3#&`gZ{Pn%U|m*sHI(6iZ_gaD|y|$Z4A@=_z0L zkktEM2M(`{d`+8yPXg`Tfa_gF6vBUjU4;RM2HG}~WC&(PVrTV)D|q&g#8cM+6H?5V zrS+DiM}bkPpE9m;a~W_$WDOTcdJC9jW}8y<>qxRwja9!LBev%z;QkczWyhW;Da3&L z0H1au< zw!?PyiNs{*=zNeV(Qn-R+T}oYs8VMNlT^_J^(@`Z2JOx z<^2DuA9x7WZhJls+%M^TNqaTnUUiL_0CPzK>M_&+q2xrLjH`w;T2p!z%&v+qsRPbp zMVa(EMA{44U#oz{k+4k19F?|=q);@UO6?4s?~cjSlCE|2*;vHZwxocjSRGk^*Gl(T zwo%=_h%{CL<2{a(#h$?FgbP)71yn`MkWFRMi#ceu1^U%R-f6?OrEL>kTHXvCorh*C zx7mgQy(Nt_v-OSGtJabBjb*N_Z6)x29$O}DP}TrfrEI7H?&dc)1}wH7Q6(}`A=Kw# zhJ2`qjJegH+;b4{yrhePOFT4kV4g85JbE#Yq};At)aLn!3w@NqwPk=;B6i^MlJ?$3 z9gE6bwN(J0M84n-We&ftMD>-$UJ?$G+zWPq34NKE5!;JjwcXYKR+){Sr+j)<-IQJ}r2S9z3*Wf7^`qd-wdH@2F+J? zy|RZ?FX=%KgY-(#`wq}r(mfu_tMECGbP1WpJAN*?IE^IM_b)$>X=WC(`vyiNYGaFq zpCQScryY-Tfi;rGxk=ZSq(Xi)Nug>Q(}5|KzG<5zjdisXQeD*~3FtH3V6XEDw4rgA zmx{q$lB`6Csm>y~*SgT>Gr%QRsd$bg}zfnpnG+hG#k9YI1`v>sRgNrNP4l1Gm)e^Nx${6QtJyh0(Sy8<#nti^^^2#FZ(W~ocv=+FL_z}1x+OZy5?u<@0Ar8pfgE5+Hm)XJGoAm8{Zq;s9o+h%`D&* zGh0`H=6BgP|N6X{JyBpjRc?fzHbPAs@jamwfFO-h*nAQm3 zD?Uy)x8LgB&Z_aXP6l2trea1?U*H=avgqaO7fFtEflHI8in&qfD*spyeGDQgZQ9N4 zusWaPVv@pzslcq*O+b%sTuM^(kc*ifTP!pe^F2D1&#re=`(CZ|wY>~H=9l0!^cB+kfM* zs2y!@jvPA1KJ8|s21nRTPh}5>4JSmz1zii6AFVFX7RyuFZfZ0^iN$34>6z_^cfOtb z$N2vL^K&W%jQ$5cs}VTxf8GWa4NkRp4L%o-Fwc^mr(%&E_=s2KAPT3HDQlLS?)1~v zO22Y$f2)(_U6+4DSm$)nVht|#Ql|>fjK;}~%T#^GDql}}SKUe>EQ%Rl+6R(u+z5V^Kb;H|$%cdF+HmH>|)c7cN zzF3ue+q>_S*6mhZv{^@f?woAqC%r+hw4Zg)n$BX`UnUb3 zw@TyqfgL6+6HcFuu$q*h^L*#8sVqC^^ek28JXSPsb-X8r#AoK68vT}ntFl4S$>8bg K=d#Wzp$Pyk3eal+ literal 0 HcmV?d00001 diff --git a/app/src/main/res/android/drawable-xhdpi/ic_navigate_next_pink_24px.png b/app/src/main/res/android/drawable-xhdpi/ic_navigate_next_pink_24px.png new file mode 100644 index 0000000000000000000000000000000000000000..462859aa428fa3861bf6568be92fd97f6c23ae1f GIT binary patch literal 504 zcmeAS@N?(olHy`uVBq!ia0vp^79h;Q1|(OsS<5jnFz)wsaSX|Demi5Y7qg>C>-pZP zV%JVG|Bw+YY_^Yh#_Qs^VY7ksga(1PE=Lr8Fg=P-oVn#0r%p{v&ZUUiN$Y!-M2M9* z@7Qe2XP%pO{!IC~Gjrvg9@ulu;ph5sU-%k}spEOs3!1Mg9a;}xX5rTTw5L(+1u|!c zhr^whA(I|{VVkn=`Y-Xlt|m+N3Hnc%eRk=`=TZDeelrBA*%fhW^38DhD0`rKCd(YB zQ_N7NVn}ybn7) kIEJ6|{<@kILt-D}v^kqB#U-1?fHBJ8>FVdQ&MBb@0RHvh&Hw-a literal 0 HcmV?d00001 diff --git a/app/src/main/res/android/drawable-xxhdpi/ic_add_black_24dp.png b/app/src/main/res/android/drawable-xxhdpi/ic_add_black_24dp.png new file mode 100644 index 0000000000000000000000000000000000000000..a84106b01fd4402e5d15b08c496a75b76e811999 GIT binary patch literal 114 zcmeAS@N?(olHy`uVBq!ia0vp^9w5xf3?%cF6p=fS?83{ F1OO~S9V-9; literal 0 HcmV?d00001 diff --git a/app/src/main/res/android/drawable-xxhdpi/ic_logo.png b/app/src/main/res/android/drawable-xxhdpi/ic_logo.png new file mode 100644 index 0000000000000000000000000000000000000000..1bcc11e59daba46ad0ea2f260892e389f4e5e663 GIT binary patch literal 3657 zcmV-P4z}@$P)DG&k4&9RL6T02y>e zSad^gZEa<4bO1wgWnpw>WFU8GbZ8()Nlj2!fese{01dH8L_t(|+U=ctu+>!+$3N?U zpdcWqgv2Y9(2yR2rD7?RDIud~S@tyTITcY;Q%%pQ=`p>49@xVyHO0~_lgh9(ODzNf zQATaS57wysOex zrGo*D0hR*KZ$cj)GP7GtGAhwoFths!%GlMw?lwQQ0xN(iX12a7_Pu8n<{bds1sv9- zK3rFlP>C+U#5V#rMjjXm>^8HRi!t+K-SsXoE93q3Hc79N)XQ1_NJ$q+S`hEPmu2ioqTnQiRi>(?i)-%x@nwQpR%R$vXV z(#)RB#K4jamETFa*+Rx1FYZ>bNG;l$p*i09*_F6IhcPyQJ3vpG{PKalJGv=}6$^aU5qj%HIvl1s1rJXOf0GMdm${&hEtB zt6>p3dXw!=)G;e#zbC=&K>h)UuZalTCV!s*b)y_U$V`lS9LAEKI)l}ed zf_bA+oCLhs+3pPB5rThvy%+>s58Pdg_-f!sz^&vHZ1Y0kAHW-$yndsBwZIpE9`y>U z!21c_ic@Ma@JAh$Jwe*(yF@;VKNI*(ydzl-RXz#KceFbj_$G4$`c00T#*sO#-yq;7N$-6I1IPQ-I7cNvHnVLddlkO;Zw0vw07FyDP7$=>=E=gxc#%nJI_l_2Y*=;nR z=Ox;GLk3OuKuJB?Zvc|caMtl)qA%MM-(Q*d-X!&j8u0Z|i+h}7{c_PlOWNY7r$y39 z?VX<_^^kP9q@~WeoJbVap68&^#VO*WL2ap-UGXeGeXkm38?Nbw-Kdw<@-Lv@wmek)l zO&`vg=w9Fq_Z;S|?^BNYmUd(xcAUWLB^_M=^EGq=OX}%7eP=rRbF_m-_evU3!RLKd z=B_Fh&vBGl3Czy9-KmZ;KQ^9xD{%9c6CL>JI5Z%DF>cqKkyL4@kM#4j}mdR>KpHX8ID` z4A)AU5q-3~0t2V;$Ba3quXL0-)yu#KmpoP|Ug0S7_X65YSs->t?PwM(bDSI}cko-5 z=(N5BliPYpf0i_`6W4Eoqs;P*b$a~fkF5Zk90hxoJXR=NVSGW;4xfAaHpdC)j?R4a_Wf z{XHW8AsOrRD42IufQOwGPAmDeV`V~v-+La->Qg|!cNDS5kmnk6Yysm;X-0e2adN!C zQ6}^K*37m>ciY2(GYRpwS;Xnr7Dz8k9A!pktkWZLt=)f2dtP0eB(d zGcIHy=m`ak^HB%k56@U<$|+?ZA=^fMJF8i%nJqB03BdUT|7#CkS|Giwbd;HxvCa{W zGWYFg;G3P5el5#ug54OSGL$_zhxY#JC^Nm@98(RnYgz7(G4Ip~j(hii^60#o-4Ge` z>YUd!D?BEm(=#g5-smW^s1he)opUD}1}yAieyCZoo3uvv1WzufnCkQ+IrM3@qs%zM zYmS*9sZwLT7C7eOtufNbgBhevDx1mCw?0Nly^C~Aa*v`2DyD%=#T*azZibSc3%uJ= z^scs=u2b>(JdXs{NqTWNW#Ce2fjrg)v z%yqQYgLG1uVHTqgtVAS5?PiS9+>O^z}jm(nFpdF|ehZxEX!3LWnXzpJ{RqCOBQo}11XsTu@&5-$ChwPF z0?e^c^Bi}Bp{Zopk}k!UJWcTgTSRaRxv@?8BY{^Ek`knpe4jM4uXfPxdw}n!?yzQddxEacCnP`c=qetFw6!I!-B3bM zOK-=w>wvLUljlpC>3FI! zu=8<&jgq!zXnRks)H-=4c6TPoXaud2{&#JwR5=N6BP7AD*Yl;z!^}3sT|F*#} zACK*CZSp*>CnSr!GskM*QB7%DNp-}`rT}NrfcH!dtRZ-Ty{40xcmW|8{E<37Ukyw% zvv0Q%%m1BIzt$0=ab`BSlkX!WS%oZ-8?82#zEp^k~` z(pd+@Db#J*n#T;Be<5=pbSQXd+`x~g_Vb>bfTaYlzAMaZOPy^_jFQny2|2qw?+YoO_R9!Q zi(ZrEonT29M24@0i|Tz+H^wAi7{@g!F{T{^-}u|(JT9%dQ8cp4#7C=6j63!Sg7f=! zg2`n^JlU3;*$TP|A~R1WxJZs{bK2es{JC0g_XtKBHjUt zZjz@&-N-P4nQ#*!@A4uu`$s|J9U5tDY;3o!t$9^EwHKP%>TX11W8+n281US7>vwx} bOmX4AR%6q311s{A00000NkvXXu0mjfjQR~% literal 0 HcmV?d00001 diff --git a/app/src/main/res/android/drawable-xxhdpi/ic_navigate_next_grey_24px.png b/app/src/main/res/android/drawable-xxhdpi/ic_navigate_next_grey_24px.png new file mode 100644 index 0000000000000000000000000000000000000000..4527dbefe3a3fc9b57824deefdd71fb8029b3036 GIT binary patch literal 898 zcmeAS@N?(olHy`uVBq!ia0vp^At21b1|(&&1r9PWFnfBsIEGZjy}f0hA>t^(`oX+9 zBU!bp^iuSV$c$uhA=OqEWic_s%+MP*4c>wdAXY-%Wyk@gBmWqfL3Hf6ynrc;GE8je$0r#!w9(4@t!aeU)KmQb;PzGP=qjkaA2 zuH7nTsF{|Uof^qE<+#P=9oM9@*6w9^Alneku&?_>QfR1s`l3tUyb$YO|5#1wsHRQak(b7YBTSHuJ8X&pLw;k zV8Jzq@UXC|;^Ja|h8&Zg$KnmC@BgN^Zak;5$n=82E{`jBcdeZ3kSki!VP$V0-+5wg z8&@gY*3t`#Nr58#E>G%&R~bHARs8O<&$D-m{F8VxEdFy`xz7-`_q#m5<-L{lI+_=x zw(2YOGo&QD?Pq@wwQ9x5MmCr1x3LV-2X2TreeW?epIf|sdE8D;{s}5CII^x@xKhjT z`rhy9!hMyicB^woExyMjur9Q}H_(I6H1onQ^RI0kdor9%kKHLd$NJ;i_9u?Yfk!2Z z&s&CX)4j!cLGa3RhQ5ABZ>Fur3m6U0e@;z4qs^dxY#~#{i@o`~9A{*8a;`daTk^sp zjYIQ=m+x_7%sR8I{+CLf{o#no`57$F?DS_VWoNJb`@VIrVcKC!@msTxOv`b8{rl&! z=<`<$CeQs;W3kBM=9;an4aa@^-@Bx2UA1b%pE-A?U76Bfc|b?$dhk)7tW)j@?}|88 zlAPM6`s-bCbvXLwQ0fzjr6+2Y41X?iUXmVRUd5#lv!nlZ8AHso)fN*M{jK}|=-|PF z(G1J~f1D^Q7`bBAtL&5*qupDpZccgrvohHyB3a&5w&O&QxZ&g-IjaKiGg}D9?RfjO z%6sXd%V>(utqv6=g+Vl8EK$8@=#PN*_ zQ8miBU-+8yFi7Q>N!Ox_#aC~pKDOLus`s^RUFzp>ksk~XcpBbMSohE8=gITiv?Si? zgkF#kKG4Lp{QH^A$mSLHF|+=rS)AYIx|D5K)!qW#jxTrZ&ip#U`a_g8FkXGpGPbDG z&*B**azo}ygeo-Oo%(3{wyUQT+*dZf`cQEF*0I*g4nLJMkGC^8+fKcd-n?_0s*>r2 ziZZxDc6&<9U*_NOxs$0 zWNrnsl>Gn16%7BJ3?^w#7wfmUKdt_Z_J!OlD?J-U7+HAJ_H!Q8jSt+*+$)&9^APh2 zyW4iEwgtCC4&L1mQ+4~(DbtWVLV|Em;d-OR(-z;BxSF!Ef+XYS4;eml$Te?UXf zr?!vw|1^q(0g2}u%PT3%uJ!oI@WIEBGpP79dz7(8A5 KT-G@yGywnxY^A0E literal 0 HcmV?d00001 diff --git a/app/src/main/res/android/drawable-xxxhdpi/ic_add_black_24dp.png b/app/src/main/res/android/drawable-xxxhdpi/ic_add_black_24dp.png new file mode 100644 index 0000000000000000000000000000000000000000..3cb10924a0912d9f64d338b9769da053bc051da6 GIT binary patch literal 119 zcmeAS@N?(olHy`uVBq!ia0vp^2_VeK3?y%aJ*@^(YymzYu0R?HmZtAK52P4Ng8YIR z9G=}s19Id&T^vIy7?T^C0uTIeOgX2~{@-4rW`SaRO?zLF8zVzTLHf)E76O$Z{hqFV JF6*2UngE2qAnO1C literal 0 HcmV?d00001 diff --git a/app/src/main/res/android/drawable-xxxhdpi/ic_logo.png b/app/src/main/res/android/drawable-xxxhdpi/ic_logo.png new file mode 100644 index 0000000000000000000000000000000000000000..e1eb7b05ea3bde2229ffb682392020c42f0883c2 GIT binary patch literal 5695 zcmV-F7QpF=P)DH5n2!A&vk502y>e zSad^gZEa<4bO1wgWnpw>WFU8GbZ8()Nlj2!fese{02QZ6L_t(|+U=crl-*U4$3NBG zS(=yyvakd?WC0ZjOHc$gIO-f%W)6bL5k(MXh{$0yDvJo> zfU<)G5+EuNmh3xOIt#sg=Z{;@v~8#RSMUAa>zD4|_ndc zqgG%Lu9Nd6{aMncZtI~#(mF|hl61PH#$vRx4{C#?CP_mi4V5&^e?$D&RP6yR1Ym&z zeXfzuW?UO9B+VEo-`$k+AT|Pf0xkX<@4s=tPCzp-!Y^L~v;&)gjgl4uOMsQYBH(#5 zYcE){K!K_Yze&Kk8806Xd;vJM5P;hTa4K*L@J?U?Fw%d+fQF2Z=>WC>n}ChLQb~6K zzX2X7gkgaKRl}jc&VlPslr+-JHVjGuD9M1`fWv{011ID_OQUOtBYc;c3>@jZ%?e3B z0)9?%#;!H9&Vp|X6vzc*fgyqGhr6XWf6xg)NfTV#I}Lc9YkAei1mFVTqrm;ZrNEs9 z-xes43mS<>gft9<4-b8Wq$AxVy#zR_M#8WAPIVISa>26&3gm`0KwIGY4&cRs@Zp&> zKuP1>)cvyW7X66_fO`v`El?mg%mvo5?SQf`+%^#Wf0;Bu7k*a)U#tV+*A9HC@c$Jk zkSm@BuF81r65yhN^5IQ=2)~IWU)w%)V)H*v@&OhoP#`CmS%;*r0j~f)4Gi7Rr5i}T z_yJ>qHT5F=rUF+3udEYV+ksi6Fqr}c3gjyU+a#S2+(-&%+s6eWz-r(z;HPG`Xdr!e z({_a45a2t&>vI-hrQqid(oy>O!2L^ry9@KTK!K_W!FH05{Q*f0zD6;#0jqR0^&tEj zfNudOR`A?TQc&|Vz|Fv|z&tZs-|bxnOe6(j9t*q?nC2?@5dQvX{!!nB3KS?%ePP%+ z7_6gJtW;OsZ-@)wxrid8lD3!!zE3ZG*i;el7?0AtfCk~fdU2kG=Wb9jwT)zz6rS8 z%+AkI1>XY9^WP*MC?>uVP)Jt^i1snmq8hDle`xtj& ztO2$H3;j0-coJAf%J*)qhF0%xoKa58e!yY=XA8-(zl-zi22$~jKa+f4j{~cK4QAF> zL;l&x$8tB|wQQ@$w}*ena8l8b^-k|gzAhdG{^H-#3T$?(D*FCLQj$T|NRLh3-B~$} z!w?^boq>aa86=n3Bp-vFeGE1N%h~1@o9kn;!OS|!5`aDlpCg_g_cHKR;Jbr(Bbnuk zKMS4&-d4f8K1d2h$chtzCvp@l(}A~;^0W^HcJF23O!7Yu@A7Y*z*1-2$0R)r+-YVT za}p$ny9?zA;2^Rk`IqLSwCO%1>G#0xdC=7hz0-i>UFn$N;}uzda^d%a3xUTZ%>f=Z zv$cWe>;cRs`=R7@z`y4>4#R;r1IPIMy~+iDUnp5>>ztqNlXM4gPj~~9^x-m1-;44v zd8@p`R@DTSG&k_Vyl71;^ zsTc696l)~iA?d^_@Z&H^7fAZ6q*mpJt&)~|;nJDDA!MOvijP}XT#?s?D(QGh4?7=p zbEE z8W;s!4*ZX#1N-s;zBcGshg22joYSBFFUiS@VrEe;58|kp1+QOvK zeN#6`I?K#%Dq}ob+*drUhSRthxW3LBpuZ$F-aKEIzdoqEWNv-fAxW&x=QizHHi*w!VYpT)v<^c}|uKyw_ zYp6f44{)Um;j9=3yocIWQ+m;bO}z-e7T{X?ueQKs;9HV*%R>NOTgZq3tNk583UR1q zvDLW|QJD>w%{lea;T+ zXHwons%HN;H2Llnad0mJil*TMQ}~S{Ii{PVw~_);pYnye(%mGl07jGYy-VE!y9=%b zSv3_u^!Py;pSH!{^A}Q}^Gl?_+FeM2-20INfg@(w8-ce=x+#O{ep2AM9i-kj-v{pZ zgn+JNFv014E$|xu`@Z~r39GfF7{-n|VXbMv>1AlZn@K_HfAu+A&$dAJsczbi2t2O= z_`IZ>&FqDe0F3TTFE}9u1|Fu9oW@cA%tNFC8jk|Yy84~m|Fx@cvitb+Pb3B1n!8i_ z)NEYaI>Uu&1S_1j-vQ5c4QzJWb^{Is&LI`#$ciz*2Y~-0Wt8-W0|U=p41Ctimi6?X zX12n==`Q!*PbCF>zY}xH&bF^*d$eFykdMopzuIAk&@gr_gsGcWw@3BMlb-$KeP zdJ_1lpN!8WRbEl;4>J$2ddf?N7RolzvwrU-S30$R-5*0{B=opV#|ITq)`50Mj1enod?MbHO|> zaL?CV!+du}x|&@BIU~oZI6%_wX0|kXqnSNRs_0x#_;7I3S_RD9p7878n^#FX8@S2c z0c4!FlO;XXXturNIbCf*gi{+=59ncf<>b}h-bSk589oy3Yq3@6pD><-}J-aZGBbui8c{xARTJlOA5DnyO%-R(J+-*+lyN&2;AP_ zLNF^&?gi`{6@W(nx5g}xKlTc`Le`Pe&}xMl#Nz&*aBZSo+~AviR=i5m&|d!kR>~_c zKbBPfY!-00r1$&5;*NqAVkx$_RNzi&BSj%(Enn6M9MnLn=NH+Tb}Hn>fWsbazZGIn zm{a3Z_-I9&xs_Tz%8Tu&~%mncLlVQ?rUzOkHIY9SxFa4I=G(AV-GRfo9wBI z8-1KA!J^PGTw={kvYTK#k2 za!GIQL;LJ67%5;mE7k_Ix9wpmDR?@w=H5U$p^6B=QGpbo0y_pq5erqAUt{{BrMQ;m z@XnP%0XVuBjk0tqomXyd1F4|Ehe>gmzmc?Wo$*uy*{X4uusR0;7zxn>7}r1wP>o3S z3FIHvQlNh^l9+F|))hv^2CvT}Oe$&_HTGdvcaSQ=T$RH@@46nFN%6LiO8SPR$#ue0 z7PJ;sri-8}wi5H*j%p(1ZbmTP2R(~AzmAm4mn9Io)Uc*N|1fI=tLyxG@}Msg+&wgl zQeb9VC7nac-1utF{5}FW4|t2D&zsrr>OcdGeBb6AHrCBS0XVvelpx+lb|28*ZZfUT zFyXUZMekeuOZNb;FJ#dUf%ZD5uhw-cjf~EI&w{yB(oG~k-a$FiF@#j9W|pK=&FqhZ zj4vCan|Xt)jf(>J>_IHJu|U3ojDBvvM_c@xy zkla+4c=eqALMO3uTsskqMCb{_h!x1~XmEeY^MRX&6N}0(kT0sS`LqSKrdkK(MukHj zKI$<+jW}$+nb~?XyBc^ODG&QsIgZ&3`nR8UG;6Gp%43Y13FaL)u&w4+WC47@n-~|U zJzA>p%uU36Uc1-$o1^hzlX7@x3w7fj~*=&`W-C}0%B=y9-o)pMkiL1d#dCG6; zM-6aQ(5k3(V;vLJB9}IJ>dBKqX+4QSGuB35= zSPEl^q;gOH_Mtj~=&OPPa7K;CESlF_(ZPbG(WLaitXNMhZm=&Q*zOfkE+pj{pHso} zr<1C_*A!kc>cxO-Un0Gto3Zs;<& z8-dG+Ib4l&DtVivav5$QAd*fvl+=@8ctAJ|A$4o3W}4G4g4gc_obCRya)n;Aq&G;q z#m)QPa39&7>J6l@l0$;@j3)IdiBvp#z|0o(@!Z|=Dp=ro#rISDbi{IK?F4QN%9Bq> znh~70T}g#hvsy=;q|#YyyYIR;l1_xn(N2B@Tp{VmK`02H30{AERx?Y|PNYWQXI1$d z?jjZs+5mhA_|K>ilr&t@39iZ9NZ$oT0iN}RpEX=-EO5P~qcYOe1e{Oyejt#-R4&SJ z-G2k$m2^x_Yoj?p<5v2&i1AINFuRB;d$FV`8Ru<0@Eu|$)3yRPdsD1`c;LTEYE$`W zmvoP$GhH(GM*O~#PM374q~(Ek%nmNNlY`%Ia`5>ll{r>3d(#XgjhFN@AJcMiXy7|8 zD)Sw4B^{jM`J*JAA!)v(&Th{*GQ<7vm$W5F+d4^S_VL__&a+Y6D`{*7x*zIt&-0Ql zkW_Xyjil=XG|rRM(#P|rNLm_r<`qGD&n#nXS4%oR1Kkgn@$5MzmrGB((N9P%3y&ys zei}(Ry{`v4BrPYM1hx9kHN<^1qZv5GRi7uFqDK!mE&@)GbTcU@yEI070*3)_r?zQl zH0DC3k7wMJE{*dc zq=rz@ao+4}Wo_`jNx(OOuX#(yyM4@-lPb`x2R3%?XX098sTuf(NbO6rVhQ<_2cyDy z`v@@~_AaDWrSpK_x<7G^%Z-Vo1HpeHo;}h^>N?liqX0Cs^^!gS{L&e=5;QV6a)%eY zQ#C38hjiI2I$br7<}>Dr`EIg&tPC24cKMcS`II(G`Z(#pW_>1px}>X4l1=p;qE z+}-sBJu%t>-!ZSF|6+)C7?{~wNxvc909;9_pLtUOCgb4!E`s=1h`iks8~d+K(IjL%`)-+a>fy$eqB)iJfo`X8e>` z`@?e4?ix^Am6-J@QgiKfbv)KL0zdAjcP|IdG_(12&W~GwPn+4=dLYJ4`j5If+|dst ztOPDJvuC<%9or+glT@AJy}(n2eCu<9SGei8xyrBlA?Z|jMHSz118^~Q+JN4h7JUi0 zx*s&ZZ;;$W^^8vPEy17Xyqyc&L2YX`E+n06{Glhat2cr>&Fnr>kJ3L7ta&yFh2WjQ z7pf!#+euYIW|ErzJXhu2`XVKq;R4C z@C>hdo3|H$Gk`zVNS-|F8vC6+`D?RQv3(kNhfD8A`bmZDs>;^0MtU{rlrK-_Yxn1# zXJ%VTX*~0)%&0HBruk9eaboFyQLHAG>sz9+4frzfDW|boxC3~%nSH;`_uy5)6~HNG zwy<7_G_zHt2!}7afT{*IkUH_bH@Efxl1$P#kL!6>wL`0Dv{?hxUX`lCF`|Qb|z_=gZwCeZ}Mc^1|~T zr#iZlyk|-0NLp0oHS(~eqa+P0gTAW90rv9VMoH5oUFmB)FFfJxLi_I1QUUS9T`N2d zIDi!MHInjA=C+W+0a{5FFIJM$pY8&F?|G2r()w1?iFQ_;VP?1HFu@an&$tU=JSm2$ zFRiR9<2fhtbEkbZEmju?yVq{ zWP4-&Z=_u1J)I}B(zwybektkn^e67O%7d=az{#XclUK7XMsipg>#)r=oR>(MTUU`X z8#>FRZ4z)B*&{x#F|+f?5t0rBK1&Lt8s}@JDI-s9au>y)ecrCmIu@2A(@i4nX)$N9HRA=N0H-~zrh-(5GgRu_0H z{o9@c9y7B=R1uzOaftKd6z9!xPG7V8_15{=uOO9fdYTj{{gk^JszFz&wd}rKc%j7? ze5okth#t(j4Q}GD@G*Q5_$#RtS4V|3HIoAGvuclvJX)X{<1>L&)@riz*2FI3(%eOM ltaF}v&iQIS@J!S{`~MD6#>7KZSNQ+{002ovPDHLkV1ju@1f>7~ literal 0 HcmV?d00001 diff --git a/app/src/main/res/android/drawable-xxxhdpi/ic_navigate_next_grey_24px.png b/app/src/main/res/android/drawable-xxxhdpi/ic_navigate_next_grey_24px.png new file mode 100644 index 0000000000000000000000000000000000000000..6a1bf19f9d6b47502ee4494b3067b5b8071e1cb8 GIT binary patch literal 1070 zcmeAS@N?(olHy`uVBq!ia0vp^1t8491|*L?_~OmL!2H$I#WAEJ?(H1kY~e(a*885$ zJ#U?k&TZlrkJadCsy{e2I((NvjC97YiJ1rcb4n(ju@`XZ+FBAQxZ3{A(n~Y7^_Q9O zY`rtnwd#DW|26SvPi%_c&9y%1Ble@QOrbf<|6?P=L4PJD6^8=$15b?`SvcM??5I(j zz;IBOVfuL%A%z{x4?fLwU}7m}h_Ms)Xn4Taa5|ldQ{WC`!A~Cr#wKe9z4@FZYA*Q5 zmy@3#uYI~G+~r&Mq92%p0cd*;Ot0s9WT=Cd+}jbLYN3e*F0Ftxv8h{u7)y zeWj`((}Qc*uElXYT)8Myb-D{jL*=~tq7&CEZCceZBSc7%!7W2DDKzxHGskvOfytgq zJO?;(Yinz_-hL}**tvYUfyjYro+W#e4lw3SbUC?6XTFbGujqb$hqqT+H>^~>sCr<^q!(fjVubje zIrv4HeFV}MWjEyB(!7;x{+&Vj2r!s7-+o*7dBzbHhHainIY0}(Y+dvHK&?u8#z7|e1P3f}wl>63H|>wVh;Hs_`9&VA_Gqx7v?Yv#e=^@1KJtv_DK zWs<&kr)}@jXF>_x+c=Fszq)%`_CUy_=bKuWO|dCwkXGxrf1&rvE2wzRkLg_khxi36 z7p!RCn_&5R_rdcAuFRj^z;@%q`fuwdvD-6C+r4>|_H1W_@{B#fJq5a357h}EC;THw|*{*=4hBbd-nWII@RkUE={i7B9+w}5gonz*6Xi! z-6tLwE2tTMPPpE2Fri@O{rB~M&cAk>lM!!`HZ(Yg8O2M|@et j5%7NMNv}aE{D-^S=UGEiT1phK9ANNt^>bP0l+XkKAv4|8 literal 0 HcmV?d00001 diff --git a/app/src/main/res/android/drawable-xxxhdpi/ic_navigate_next_pink_24px.png b/app/src/main/res/android/drawable-xxxhdpi/ic_navigate_next_pink_24px.png new file mode 100644 index 0000000000000000000000000000000000000000..ffcec52cdc47f6a341e6a3287e03683523e89f2a GIT binary patch literal 1095 zcmeAS@N?(olHy`uVBq!ia0vp^1t8491|*L?_~OmLz{2P0;uum9_jb4ia6_QZ5nmC{?4_*-xj#G$DaUOwjOF%U}OBE+3g) zHx@f@3cu&&Q*p!~zx(W*o$6l?SXb9or@h%UIlXUDt{A5{JJ| z4EwxR*8BHr7On*IO6`ZO9XIbnVa>|-%xg~$=u@_lt-ae0xg-dWHVEn{Fp5XcCw$1{^b?SysMVaLi%sU^K^R4$(-M_Hb%kW6dSr>7J-JWYq z``Ue`O{rcqd*%za1ip`#BmQPgOZ66dx1bHn8(&tN$a zH)+Q9%URjK8W(+im%+)Hms>wYVAj>A&;H6TUA&`0h{1dN1%X+IpR>s+>HK)dIBl=> zVdoyDZ-2F39@5_I#-N&i*LgdqPGzz5w`sGy8&Yql)g?I2tUUVeDPMxt$>N(%!Cv#M z8&oGBuYd9FwaUt!e*Y$Sg|6JgskB`5>jw5|Ywe`}@c8`Q$(hlhTA%e^tMY^Kh9`&h z^3vvYn>L-ieSqV-legOWzn?z`FaYV?+js7`B{EF&kCW23ZD5%3Yt@FkdEAU2URONM z6xq2j;?m^GEmB#%KPnSnIaGgtpRSacB;Db8#^#3Uqq|d29<0rF-u%Dvu1C?yX0Hdk zZpbHp{j05bMtstXy3mICjkE0?6gz8f&V7`SuujE4$vS1TV%t%X`~7S?*=PM0lN4mx z=qB;;)Dj*hlTKItE{3mhGuNm%Opf@nh$GFVdQ I&MBb@0BqIh0RR91 literal 0 HcmV?d00001 diff --git a/app/src/main/res/android/drawable/curved_line_horizontal.xml b/app/src/main/res/android/drawable/curved_line_horizontal.xml new file mode 100644 index 00000000..0fd31c13 --- /dev/null +++ b/app/src/main/res/android/drawable/curved_line_horizontal.xml @@ -0,0 +1,20 @@ + + + + + \ No newline at end of file diff --git a/app/src/main/res/android/drawable/curved_line_vertical.xml b/app/src/main/res/android/drawable/curved_line_vertical.xml new file mode 100644 index 00000000..407292e5 --- /dev/null +++ b/app/src/main/res/android/drawable/curved_line_vertical.xml @@ -0,0 +1,20 @@ + + + + + \ No newline at end of file diff --git a/app/src/main/res/android/layout/activity_hello.xml b/app/src/main/res/android/layout/activity_hello.xml new file mode 100644 index 00000000..9e0f02ce --- /dev/null +++ b/app/src/main/res/android/layout/activity_hello.xml @@ -0,0 +1,191 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/app/src/main/res/android/layout/activity_licence.xml b/app/src/main/res/android/layout/activity_licence.xml new file mode 100644 index 00000000..1389f81f --- /dev/null +++ b/app/src/main/res/android/layout/activity_licence.xml @@ -0,0 +1,56 @@ + + + + + + + + + + + + \ No newline at end of file diff --git a/app/src/main/res/android/layout/activity_main.xml b/app/src/main/res/android/layout/activity_main.xml new file mode 100644 index 00000000..852fb615 --- /dev/null +++ b/app/src/main/res/android/layout/activity_main.xml @@ -0,0 +1,104 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + \ No newline at end of file diff --git a/app/src/main/res/android/layout/dialog_add.xml b/app/src/main/res/android/layout/dialog_add.xml new file mode 100644 index 00000000..4829fb48 --- /dev/null +++ b/app/src/main/res/android/layout/dialog_add.xml @@ -0,0 +1,142 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + \ No newline at end of file diff --git a/app/src/main/res/android/layout/fragment_assistant.xml b/app/src/main/res/android/layout/fragment_assistant.xml new file mode 100644 index 00000000..e3789e21 --- /dev/null +++ b/app/src/main/res/android/layout/fragment_assistant.xml @@ -0,0 +1,12 @@ + diff --git a/app/src/main/res/android/layout/fragment_assistant_item.xml b/app/src/main/res/android/layout/fragment_assistant_item.xml new file mode 100644 index 00000000..17d69c5e --- /dev/null +++ b/app/src/main/res/android/layout/fragment_assistant_item.xml @@ -0,0 +1,42 @@ + + + + + + + + + + \ No newline at end of file diff --git a/app/src/main/res/android/layout/fragment_history.xml b/app/src/main/res/android/layout/fragment_history.xml new file mode 100644 index 00000000..b5a5c80e --- /dev/null +++ b/app/src/main/res/android/layout/fragment_history.xml @@ -0,0 +1,14 @@ + diff --git a/app/src/main/res/android/layout/fragment_history_item.xml b/app/src/main/res/android/layout/fragment_history_item.xml new file mode 100644 index 00000000..199c0cca --- /dev/null +++ b/app/src/main/res/android/layout/fragment_history_item.xml @@ -0,0 +1,69 @@ + + + + + + + + + + + + + + + + \ No newline at end of file diff --git a/app/src/main/res/android/layout/fragment_overview.xml b/app/src/main/res/android/layout/fragment_overview.xml new file mode 100644 index 00000000..5fb7e08f --- /dev/null +++ b/app/src/main/res/android/layout/fragment_overview.xml @@ -0,0 +1,105 @@ + + + + + + + + + + + + + + + + + + + + + \ No newline at end of file diff --git a/app/src/main/res/android/layout/preferences.xml b/app/src/main/res/android/layout/preferences.xml new file mode 100644 index 00000000..96664f5c --- /dev/null +++ b/app/src/main/res/android/layout/preferences.xml @@ -0,0 +1,8 @@ + + + \ No newline at end of file diff --git a/app/src/main/res/android/layout/widget_labelled_spinner.xml b/app/src/main/res/android/layout/widget_labelled_spinner.xml new file mode 100644 index 00000000..6d138a51 --- /dev/null +++ b/app/src/main/res/android/layout/widget_labelled_spinner.xml @@ -0,0 +1,26 @@ + + + + + + + + \ No newline at end of file diff --git a/app/src/main/res/android/menu/menu_hello.xml b/app/src/main/res/android/menu/menu_hello.xml new file mode 100644 index 00000000..5ba86050 --- /dev/null +++ b/app/src/main/res/android/menu/menu_hello.xml @@ -0,0 +1,7 @@ + + + diff --git a/app/src/main/res/android/menu/menu_main.xml b/app/src/main/res/android/menu/menu_main.xml new file mode 100644 index 00000000..903b4998 --- /dev/null +++ b/app/src/main/res/android/menu/menu_main.xml @@ -0,0 +1,8 @@ + + + + diff --git a/app/src/main/res/android/mipmap-hdpi/ic_launcher.png b/app/src/main/res/android/mipmap-hdpi/ic_launcher.png new file mode 100644 index 0000000000000000000000000000000000000000..d86870cc706a001d0949476afbd9723d4160d070 GIT binary patch literal 1817 zcmV+!2j=*RP)3$g7>1v7+lo+7!L}GdWeK55szlIYK{f*-0RyBWPy?tD0Yzkyr6sXSi!5yuAZkO2 z5D0=nP=N%9tRkxf0>&T}i4`P7L8O$mGhB0er*zs*=dN>aOM3qF$9(6TbDqBMchC9m z2cjYcn=V-EuMPIEH44(;Fdv8l^6(W-s|}E9 z1t3+KH3dbT7l5M)Mg)_W{1?-9%~DR5u_0t^x|c$+NXVmzCriAY01u z&~B~(s&WXlC7?T#T`JrW2jr-7JWx_Z0Ywy!OXsAB0g8yNYBpyMzQ|llA_B-2EjSN0f+h{%k4qK{xyThhXU|EF0RFY$W zY$->gc(XI)57MB_-T@!)un4GZS`NOL>4MDLc9O`sjsUV3K6r5% z>?^XdKd}H`^bEU@Yy+~b97VvoG#HRr8OEWr(0eJ|^x1$Um1OVfW($z2WV~P2`P15@ z*2b_WVa3qUTAscI@_w|Iw_=tpyIBULD(RC@MCeYS(Ji&SANGs^`8U+Kd;@wdg`dwG z%~(U6b-P&t<{W$%I9O29UKtHS^!W5tY9NEt?HLu!&VxqLC)-x@Qt@ZT3@a$(GEoXa}Q03?NtdA$=X8EkH=A8m)MoqBUlg7{l!eJUzB!k@iSFPZ$@Fd!qz zWQ-b}{sM??HO9xq!v3+)s;SYGTHK}UkdhClF4jCxRYwW`oE7F0hmUq2(Cj`iqldLU ztUL;Dth83zl=KiBeh1{u-Kin3AK#y_q(7YnYf<2JF^)3Ol zawy2QhLzE?0QMHa6A5r+0?5{^9J@|KpD*qbKzrV{R)6FTzV&=KUjp&5P&5tXJx&hU z*l(9xdjP3q#zASUt_Y&kt_ZQJQrwYuLDnI&lI<-za}`?7h1+Uy z)+zW1bJQ*my4zf4AYK)|tSv?sWEhZ47JwuZ-)AKGotPD`!0@L`O<`*x3|R&8dJ&_5w5e24 z`H+pYzEx_F{x{r26{*6XwMjozi!cQ!2$DG^jZ20_1C6ao-rDmI!Q5SNE%0t^d>2?a zpz{3eoshZRSWYdf7*(X1fny0!5TtK`1Vbxq-4u?!2MuFFhZkOe#rxr0G3@&jE?ljM z>)Zl1jRN`BwS36B(|rjXJY(qVff7_k80`TCCpE30^2vb)+FHYq77v86$)PtCs--Fq zl|z%X^HcN2mFI0Z0jXbV#an+!I3tBW`y2hx>JgR!nYLR(W9_=pwpsO6$hWBSZK@nn zWzV;Q@yXCXv3e1Z>grJdQg!;{3My$()wZ)ZbgBYg_7v17|=AA~6mm z%uqvGYxo*i|BF5v8@6)9V!=sF*==wK`1ED%;Adu(+=OXcpx`GXvuxSQaX_Z+);=B< z4S?QljcgVU|D~OY4xcp=Z`)Q80Tcwu*f~jF83sKLBRWFQHqiK<%A1!zV32pPua3i- z<3@iDa|@MJJ2j{3f53JPs+!Q!iCe;I(+m<~wU)?*Yw-I;?N=Vghoj1ItVoAie*lv4 zbCPigHAPxJ=jeU4;|ePOLQ{oXZL5hg2B37is*zG$Y-Wr1% zXGP3bt^(4ORQ6u~YX>1k)K;zoa@cMWx0NS=OrMiNJInENj-Kr!TBJkQq>L0m_LG8M zQRpqR>~mL@6VY>!-gedKGDz~AWVCRX1e#qN^m04>x$6q5I48~Q0gCJ==|PfkMhSnG zRGsU?GeCi-o1WdSpo-UoKg)IHcxtg=8HBN$XSVX}DOQs|)aYt<^VC+g4p0@lHS*e4 zwGz-BNUDhQvgTA(xu-?i^+%G0FRTZo1FarVJs=Cd3Yzji9!IigE~qK100000NkvXX Hu0mjf9l>6` literal 0 HcmV?d00001 diff --git a/app/src/main/res/android/mipmap-mdpi/ic_launcher.png b/app/src/main/res/android/mipmap-mdpi/ic_launcher.png new file mode 100644 index 0000000000000000000000000000000000000000..4f79c3595a33976289bceed71a5498e071ae9cec GIT binary patch literal 1194 zcmV;b1XcTqP))1BLHQI&w&t$j+K5- zCf@)V@m-#T7>I-~08gGbT-crg%!v1Y#CihI7C-Z57+VQ@`gAgE9m#lGxi@y%0NUcm zSHV}!Fs1@#Y=%>R2Le$RfVOxg_0>7Bbh;&a$02BXPX|ERlobhW02yg}@lsD?d&3rJ zYp91k3n3D+CR7_Ye>=Q?SQ|nlvcBdno2mZ3?^TfZ+>zB?%D)r|Iyk; zHxjM@8S$#C%(&C#`>hSIrqSMLV=uIPtP7x(P9*_kIJN+RU1O%!O)N^MNn_#QQ!pWF zFY;mnrgcN#S-bf&K&tqf5S?PE<25I0*9h1xl&l&}Wat7=kvG3-E<7=81dr}0 zwn=i6Abz5p@F-hz0Jqn`*Gr)yTv|g~LgSn8&5t z@Z&R3710AoNtoUZKb#u2zpN2h-3VzscHLN4dQr$^!bw;?tgR^4j}uUii%2CUyfq>v<5OQonPa;;29NsDiQ zQQT4ueb2k6&nx@jg^%Fn`(Wigmc6Qj?@ngd&LS*M7i}~+G$`mg=II`g;n*Am+kr8T z3ag{=N31l!z#zy?o(ccz7H17PJzU zRaxS-Qz%zKCY@9_Ho7SO>J8967u18sZtOn}%RYcZzuV20E#4D=6^ZtF2)WG`Lfr?m z>R@&~myTE=;Mkw=`LFOdrl#nns7d1ok3Da7J2o&r&GvDiww6vh>+@tEiP>PMZP_66d+UBx)8?1 z8%d%3baIWv5R%1y(Sh6fjkK0IFmVF2oxxQoA*r2Uj;DXML&D|4~HtPKvh>39smFU07*qo IM6N<$f^2ys0RR91 literal 0 HcmV?d00001 diff --git a/app/src/main/res/android/mipmap-xhdpi/ic_launcher.png b/app/src/main/res/android/mipmap-xhdpi/ic_launcher.png new file mode 100644 index 0000000000000000000000000000000000000000..b7e172e80357309f62ccb7d13853b9bd33e8effd GIT binary patch literal 2312 zcmV+j3HSDiP)lX@H`_M0k-(oeLxLZi!s}0M-f6K0pyFHp1p>(n9k@yh#UYbao3MYu+X0Q1ucRQ zA_btV_!$-vgAf@2j>L~3gh&8zC4L@+#+e3K;ng^mN7f!dTKp!E*fxnkI?@_|)XeX) zFw;b5o3`%>+5%7_{-^0kUkF+PP%6IW5VQl}i})Ht&)8vucbp9f*VEFDTz zEdY2bH7l3e#Vrgy7Us|a1UmCIEKx%R5UTi^tO=n3&_eudL^NU6%r=;3%4RfKzfb^Z zCVob{P#^>jKvVHUgAgbHD^dR=64s)khbb~KJg_gEd;)CVC*xhpr^zrE%v9N7xxNAe zkQRTj)UIZ+UvPX4JU0ADY@DUC zW2FGn;xAEFYUcjZpO1$6uRHtgPi%pkm8YWg*wzCot0QFqe4F{=XP^IBSa%DE1=vXw zspz_u@cciWSi7~cz-Yp(R#KuW0pP3nLY`+Pz?ENgC)Bq6FmxH1DR+L(td&9V48V8s zzcvtFoeGA;qfS}{E4Mn6)V-Aji3c#Ne(L3AP2yK&pVUe;Oec|2zu;zus7b(clVJ4c z-OD39{?!H}mczmS$@y3I@*D}$0Ice}zXi!gm(@-+AaY5f@^1rf{0cmJoy?uMZ1?ll z!h&^ZHk$P8vNua4@@oj|XO{$j!1a4VeKzoKbb zgZ7VL_-|m>L1+CKTx@hMc-@(?cPo7Xh>bR};ijTJxfLd^a@JD}064ub{B0V1=6GkK zRkHdd3Ey}GHtw!uDbigW0o;29%(|qqSZ*v{`=djKkPf1%V))`D&gK+O8hx5I!wZjy_0+asMY{MWGkKxvvJu{Chbb4r@PYXj zA`K0=r}#TTw@g8`Rq%cT^bmV>3fi(wFync}is;&L2b_9h ze*fb7%J2UkT>w^X!+9hvmr2{|gTW&}em)R49o9}!17QDuVaSr~A&fXreq&nK>gtvj z`$}Wi6f~2R@s6v9sY>lNK52Z*l~3AOdOO;xZ5T`{wHi2EX5c)ZA*aCR>7Khe*1^4h zhWeMYece6`ny%{Fw>Y$acDsr(+rapqVa|V5rZZ^(VlZV8`u2na_1;dt!~?ay2V)+E zj`V?6Rl>f=HDXX#Z7y00TmB=XS*}kTSmO+{(Z!Kl{*aykD1{*M^q_w7g1os8CN#sp zJFIs#ngqXEUH$m$@`=g9E_k!5v z%x%>PSU3hm{x8;Mz5oyYRThBA`8OEm{6EQdkn5);0x}(@BVjGz{v^Go%C3Y8-&zZQ zr4UXCSgM^+3u0U2wqeC#?l}Y(FN1b>7a!8Y9RcIps>D|s0R<4`($TQfV9jI@pC6TK zbJoD3^%*A95(2`I!e)8Uacmhzq#lB5tX+qaAK~3byWt z-nDQ}e-O9lt{DvC`g*x0)(Y_{lK|na`69kA5#Sku*biDU7RC)JEs;3i6{V*5P9XD{ zQYAq*?1F2bfcIVBlJiY`Ujc~DrK=-xDeJda!}aG?lGWM&*YASwH^X}$IJ3`M`6|Be z06akuA7sqA6z&)S;%}KIKHd}C4Rc1LpbR;jV6Hl?d zFy1g5MU)2C0tcWegiyo}bPXt+QcBX1nt2+U_@M&OBoaauKXd>gLkL}bEdY2fQRULm z5wN}!^nzRLQA1gTi#z>dlY(-g_z0mLtQ&MlJ9+Pwaw*hb zFZ<3>ss)3y6pf^%_*zClMsS4?v=v`#0CsicITExMUwZ(bLP({={!GE`+KS0Zn^Lpf zlWJ3jmamRnM?yOo;|+8ED-|(?Y!C?mF4IwD#E(P@$}dqXMna^-j~svskq|lYBMG1c zgh+}XSpWqP`bK5J)p|2drWiT)o{&oR*KK>j&2NcJ73AheMaeb>5HhV8Knx&c1wtM^ ij(`|I$O?o!{Qm*0!>EpwDR?vh0000^0fN^UsHAoHaz&D` zmVh_m7o+04i;BO`n(}@hu|hu@$QXEQSY-tYnV`+g8#*@}Zmy}39iKe8V-fK)#LU9Z z?r3Ilm(qUbR~IQ23{w4yU4B>otke|%PLAyuXL^EFHGKQ53^>LVhy#L?OE$-o^bi=VeT zEW}{LW$pwG%ChkX@K=UwVbETj;HN{ASFL0Vfm9L$vd2s^8-5l`qIF1XRt(moT3QGT_oMh6@ zTeT$&y(-9#kM2t2aLUucN(}nWTxBw2S$eTRsjd;Qk1&2-dB+(*z1C8kEsoro?^g!vh3 zeDSzt#77eNNDSOr#;Stln^cuKd|EBt0{QiG)`uHO$F0Vx{#X6$k!Y~;Dm%xa_Q2;K z$sa6%Y)zEZb&fOfY#%Cgzrmp7FsTU=c|%ty){^igM*9yL!N!So1`gZXbp07G6Rz-a zIZ}q*f$RiJGKdRIOCZc6Ol;?@BmjxFhkaunBkVgWQ0Bi{ev0a+%&&6k2ijk<5HRqm zx7X?7`RGJ^2FIgGN_3=~Aw=#bxh)r%62vE^v6@dm{k5g`k0CzVzNl}h*U&NwzXL}i zeFsKd^aFoA|6UtuO^Lm)c*N7_nPYw7=+>>tss&1>9d_aG%O33C2 z4%8lu&iIg9ci7;+h7(c7R%hkDN@-F$2+d!xTe^MGui-Z%dHh>=3Bvf(jrO7i0Z;0o zchyRHe^VJjOHzgL%km%4{FYR}_QrKSvuU(hvv6Pft+F%&nX5ag$-o#TXv4I)NJ07LIKrvMV zTU;3BPO(kamAzaQS+aUo>3HS&e7~sw`qtkH zp5U+15APYDizx6YX*`!n(uij9VB*5_4YGc6e1_W@rR$PYyNE0yW+_#4B)9jjhncaa z5#g7C;UlD;C1B!z8yM>+GsS_>>CSQXo zB^(B-=}lk2Gway~_}N9`56C{>)vlw5C3pnA;;De&OJ3J?gY)l&GankoB)w@{SvwRP znCgjn-I4TP=nmN|AkvNC2yj!W7jK$_R%>l;PQBr5pk_|>;GVwFP5hw&>U^itxT8s2 zc3tdpY9O^Zh+0&bZVGl(a8tO@LL6HkLwmOHdK5aUUzfTz{@Q18spx6+BKQ#bEWXNGSq zyK(SB(x$74uGsLu?u|Q77JCXNM$59w)?}w|+~nXb3VJ|XqsJ%Bl4|&!PK?B|4l0ID z+?N%`oxbR0g}GsEjcm6b=L1r?zF~yVNRO{k2!dr+4$49$|g|Xa>zZD47-Z-67E>l!65HPz3e)v-2x`+Moy-^x~?4f?||ll+f3wv zhOP6l(JgUFaq~qyIS-`cP1ydRRE<#akN%rW&w_YqvnhLhqn)TI22Nf<&OG#`8OfpR zNa~#p;Lu8<*kfhCiQ8LI7b=<@Po@J?S>*&=3VMf*^X{9h7I-dq5P3y!)@xCtRkTW> z|LFKbvo5EL`ck_%2hWMn?ER=tKRE@Qmvsb*fo#01pyXY6BX9gi*ozAf!`&+kFcLT2huzDFRmvxR{Z>EqBwJp zdTpBJ9Sv#E?u+dYeJXs^6c1nO&WF{gS`@@j9Rsm;!e z$ggy}in2CE_?>OHd^s)_aA(gx#%u_V&~wL|>eAy2{A1%l#OL1}^41+l3ksy!)V$;T zmJVuaaR=AAe>SDfQk^!iOoo_JeXk8GD?F7RSb;2$Y?fC9>OIV+R2=9Ot3zBh@IVIl z@^nC|nY_@=n^VbUTLuxpAu(21ZHQm+@xT;m-9jJSB3(1zt&;LVWujpcZWsg!vYq62 zirr>x$X}xfW+s5q$F z;i=3s{vT6AApTbL+CoU@JT;pqCC<$=^x4x_{kP1zT|OyWhTcC))A$$ylG;C8$Sw#8 z%q#P*{-?m8UCt)R`j`7zX~kp@_tuF1&w!82Y`W_U`Xk5&5AwTAacRgLwU+Xm5_G{BN5zy z-kk?w<-vndy^COHHT`oYHl8L+JV5T==XBKEOtr6L*5C^p*y;DgTxx*|$t;zzoi(*` zYLyy`GUG?g%EmMaj&wGej%X0AOAs!WM-jn}yoKRAZJXXa2h~U%5b$W|LhTg+leXGg zPihDx_CUQxNSN_EL^@k^WfbmL#>w>pekeB;`zz;TNk`y(->_pDwy9V>7MwQ|+2(@(}g7Y#@(hO|ak)`aGH3VCrG zwIPm?)ZXIS-MO`K89>q9cQY9jMmj0-r0>Z&3zM%`_Fgm}VPG((D1k%Zst>lMsdUV3 z3+%KnLay%=ej_HAF>K9z`R2@vCSUeA?n6ja>wWaYwZVz}nk7uhZP=`zMEje+f^Rl? zkob|EAMctgGc!dXquh~}d%l%gpReqlY zYCM-ts7z4k*Ag!|!e(+kM(bwBXbnP!Q5;HtO{bIG5r$Z}L`fdp&E#pYneAU>Y2Fa! z4o9=Uzd>MBF`M2nTI8Ri^PoGqWUn_>EjD3}Y7U^cJ%_hm6lLI=twP97vg8`pK49K_ zK<)MZB3TI{&w)^^2mZ{4FHYEp(VS|OZE=1kMa4>#M~tcgBkhCSE%|^0rv83K;R{Q$ z11Ly7&~fs6o>Bzcz*o}xHeI{_EE0E%L5KBdi$ON{g@;e9)n|g;g@A3<$nNW3QiATk z67&u~55+(sB3BIsjP<)tYSf?dE^2`b;5g}ZCD>v1i-$QGAa=$E3)L~QCB8#0#lwpM zd3Pt{i=mDxrZbHlQ5~@1kie~4HHs+m^+>%wb?MGGs#ySuT0TGbOrpsQ8gN`O<6)jE z)3Nb@8<*Kx>IbkV3#I&183j(>|^G3I{x0;zO10jQ~9qE)asW*nKaj-&YShl<&oAcHR8%< z4MsAYkbo+Hn_+l;74+Nb`c$Q_w)j}97G1J-pzcqigX{Wk-^P!`in76x?wi=qCZ$Ht z-d>)3vKyY^>S;xS*s@?rs0Vq7N{2^QApdZlBN<)krRO1MOt7`oH+(+YGch@MtVV`0 zUp4y3;y##WiIp%+4{#+t;S<*9vYlUt2$=11$(-LuP{v>~*xib4+x?Z3uCKC5{=pa+16-@4bASxHtG$&cC zM_m`LoaXrGm|0p=U3I@CrO@bbBAU^CbLhaE(A43yQ~2M&1EJm2FK?MLvy)5|0&s4O z=Kl^V2!SI~c#`A2W~DcWSMHm?aJr|aAT(??Fk>9mwr%a+(#=3p?iDX}Fh z?RlX0ofB*r0{0!5`IfOw#+5OEg*PV1@H5T`M2a{PA_DoqDAR{hLaS4NZuG5GWv2hn ac&QPEs-G+3BmM6=2k2@UAwOz5M*Sbuc8)#( literal 0 HcmV?d00001 diff --git a/app/src/main/res/android/mipmap-xxxhdpi/ic_launcher.png b/app/src/main/res/android/mipmap-xxxhdpi/ic_launcher.png new file mode 100644 index 0000000000000000000000000000000000000000..c594a55120aed1cf3a2f45ed38e0a45a4ce90e57 GIT binary patch literal 5696 zcmWldc{tQv6vuxv#xnMdkbTL%rj*^-vM*U8StDNiWZ#XkhGgtz8>Ot-w@}6wQ4HCN z7%^nu2Qhl}$G!L5=ef^4_nhaP?{lBeQ&VFdI%;-m008LpbhXSbSM0w*MR7Ts&3RD* z01Ks_mbyiV{g$13mSunQMdjITelT@f`BPo+4U;9teI~i5)a?DxEWHFDttZswe2)MQ z^;_kTBkiY9{vqBZ6hD7?H}DI2?-7nb#S|;s$Cm`B`o=Z#uw(SY*XH+{g^HS!3T_K( z)!I8RKmJ&l?+BW#V8ZhVFgioDQU^vf-5^+qqhOL8*br%LqQ+1J#VRs-Lh^w6q9|@< z7&4G|ib@9bNQI;vA_Q!}tFJhM`@;T&?ivD9G1dZDNYc^a0saN>G60JbG*wtPvnY*D zbNNFNv*0~8k!^iv7=n`_Js@;3@!zC}`%`%`WvrDLqVU48P)3=RqZ|j9ZSuP4mQb3W zmkBOmGMT(HP$w`XDVS`y*!;qlAqlbx1s5=QBtsb)@!As6y;G7@hMKbdMZB2M%X2`} zyYp6C5c;FI^rq;PEZUJNL)0Dyk-1}t1mG=VI>gw)IZ8b6d8MHU~#1j!@QKh=ywuK1n5EH?B!Nd#8^iAzH>rYpXj(BmBNV<3=6W3*YX~A zcu2-KVOChV<)3VE^}TPFGq??Tqw1WDH!k0z%!5Im(@a~cmJgWPbiuy=*=(~nn~ujKX6I4kVt0gn-~%A2BS zu3z!>wB&h!ps8#?xA@K4>zQ+zoz)NHFsIklHJD@RD7` zmtP362v{p`pT+ge&Ik8_M?!EiQ~pP%-(k8xU_x+Buti#BjIK`iJ}WOM6a^{MJxF%~ zyL8t{{w?=NI%IysFe50L7IcH}EkeG@jU^8VT+4u~x{lSH9oe#G@q6F0a6G(kuK1>k zr(PIdM0oya#@w)0mPi+18M|bRvWD@x=5+C0lO@`f?hzsNf^b90Xb@B1EUYgBXxU$g zP>2f*hU}mF^sZWmqe7T?+bfJMWtXQQ^#Gq?H_CTeNWVHCQL&MyT*CHagOQXhX@3)cL*iK(NwN0W)J`4c!XLa&|t zFRB0qt@!UsojP2=mu<51UBtu8J6iz77Z6MJ1m^p=(Op^2WLnU^MAv&KhP5B6P)7|` z%u1=R$NYLNlBNvA zcG4SGWO|2M-=vUe{#rwu?`m3pvqMCt|ZyV~(D}hR%N_Cr= zup`9ObviWEq4H)K)7N8A(dNc^UH-%DKVg)Jc?w*tB+FJmBCKc&;B*gI1fM9 z$YmjT*PLA09gu>@Q-}z6L1_ypaeHfsi>5?PcGqX~%ayI?iw1!!;x@xV#GX6B9hx|O zT~8$U&6xg@AACMZ8B_63@Q|cbf^dpjrGRO8!km?T6grj&2~(x;I2)dxzFHt6VlUnSHYpHsAo*9>7ehENeEu z9>G`Fuw9Y6;GDpxx(hcRzV}UFbpe+fGI9mxMT_Fb3HRKxTT-&G?SW;sA4_{SZ9D>p zJa;#h`|}GVvZc_yN?35nI)^H{6Ag zcjVX0`^~`xKUqSEW?a39`4yE~pjkS^znLF~Rk(PYwVMi@-3K*>lNJ7WA=@-gI`L52 zO-YOi?m{d$2qD9111IsfSt!#03BQuS4Y~mrB1b3u9-Fjf=|{Y zwq62eUC|K+%aQyPsYBrR(F!<2` z#8lfjT45S;vL%gNEZg8o%IC%n$Oh!%r20KA@&F&)^uwvEAfhj=1UFECA0rjDV=!m2 z?JCrrbvExP4FS11LlHtUaQK#0#f?3F!F-1-(zU{_Vh}=AOCbWoxCvrQSBECfx)i^k_cH)#9fXv{{h~e(>;!wd=_wU*RRg2LP-BFhN2~gNHo_L!~E;R zaG$HVz=Q+w%cm?(f(6023KPY{psCRRZUiHYw=)c*h2-I+kYIP5 zI{s*H)ctG}bgVE3a|DOPN9`VoTtV6gm9W|ylE#+UT>91KAx-We&ISF8gD>RbF)42H z9M@pjYxY8V;#ZKWAzgU3%!K+fY0ujrs}XX0o5t0@zwftGO6SbhV!UuAtxDlu&!LWQ zr3Md&Zh(Gg<#abUgb~lGU%nJ6XPSN~VAhJ*f`$WbQ@xWe6xEqo_ zFmy|A03u&1TIbZ}-dlHeu+NU){2bpXUwT3#O=(ODI{j!hO5ys!+&&G;`y5@7kp_jg zsz`k7`Ld|ISMwqN;pTCOG-mb*;Y@W!8$Z=gAmjo2Y%j#t@_{(KaEHnp23DXgda;G$$HibbRf%YsG^i=Jxw#-G z3_sPld3IrRwxtW^;s#&XFDqPcug<07^$%J*3M8f>WF_zD3n4j;8_ZZd9+v1IA|I0@ zn*FqCu7cdxqq7 zIX(xz##rcoVQz~oOkw9_r8^G`pm`0`-Q*@qDv{ZGg^m#>JGR5KX*tl~jC=zo7r*f^ z`>xdZ$8@V@Z+z-xKyKe8xWs1L#93JS#*A^qdfi5Vad?STpR~Sh8@Me4FJQt86@7C> zwD7<2=geKML3_E2Yc13^K=HZcd;4#6Z_qQ0g$;!dM% zDd|h9XbCz7JeAuOY$D?<_BBf@71tZiKQTI*$Y-%T#|ej&izC(;ej2^YA3vO1^DUxu z?X+uWNhax?j-IDQcy6=+-rE_u$0lZ;Gnr}ox9Mw zMIoYjFfa`YJF1@(*XcE;yjv`qdo~)gdB_&02ElO?+4KNsWe`_<)TtQ8$RPS{m(x23 zFS4S)RC#+W@Qx$M;w4IGE$jdErW53abn=Ga(G$FrKPG#o}*qu+GQOE2*x!nUZ zY@@=grgxru&(U`_P+(+S!kK28xU4(Kt?NM;C1pMJ$5A@1fQX_0AAQ1X@%MoW(ZDa?s1^@GEH0Ky}BG04^>G8H19!(<@3} zo*cYR_u5n-qTR|iU|}~B<{9nxr0=MhN_MbiKT4mGbItZ3kIK0@PPR;88|QYqVPdRYQqG(sI`Zn*?pZDCDnsE zW0NY`m%sxPj5Oz~4)wJ((>qi!5q#HgTU_wKv^qUq5N~)da9Ha|R({q(} zg!!DRkbjT*JbaCdxXd8H48g5K{}ceq2y}<(??0#5xI05tqupoUrSB1yK9B6nKRe=R zfe(n(MBXKNBllILuGh0wRC@eW>TIxMpaV69qAIB!=iXzR%LX5{w{pHw{_A^9<~Y)^ z_x|k8_B54z-P0{Qky?}agzCr+GSFgoQ|F(G!s9X`>MZ`#{wnVtu!hG?u0VgcXI)bP zg~^P5eco`x^Uf@_vD1jt*9qq{Gtx-}2hLw;ce>dpY@^9baM)u_4qzn1)^vu#?W z%%a*Aeu17IC3qDQ2&pE4cQb$=JtaHb|1I>N9!wD|1$3WAdp8H?|MY27*f?M+t@ik4 zUWgV%8ljxd1kmMgQZ&H^=oSxGhvMl{BUuLaVQcJ;eHxCZVW+a&f|{*($y>{~ z1o&xey;>8)$tF$}idoS@+Gi?sz7G#HtB9#Fc+mpJY|yV+xFfnur9uP@0Pi9s``f^7 zOlFKh8fE46uHhq%duvKge}Ww66ZeD9L&l^Se~|l@LNVS(aJp{^mbFV;g|kGRkk_vL z9uK<6^Y(-B$HPFotjdgoi$pYii*6izfi`h{8q)nn*PjbRLK%C56m@l^jmGchvZ{q` zhMg)Rw~r!LG#v?DAIc})xzI_c9Q2BQkn&@Q<>za4IP>99;eDzBPTGRm5mhr%eEhE=QE*!ikNWs#u4H9%sS10 zjT|{~f%U%(KupZ5f4&`dvfqVm|B79&-L$erF+8DO(_ii>I#<7&1K6;B8j-B75ae&h zKRf4d!vW2ux<;06ZX{}wQ0^Cmz!u04`0u+!ruu^Ii@}E%gRU{jYs}$b_m=*i{ed)q zZVJ*}ru*i|q{`7tB3c6KsFiF{6_x81anQBka?3C{x_KxSaPEjel}p2!cqd~^%2a!A#D?gLcv7vB1_k?eUZt|E5l_Y`5do(b@;{3cwnkaJx{JRr`JC)z*z>sg zCP?3r4P=7N>7v!Sq$mJ&y|Cl3^dfH_z{E=k1(S-c^bc9FDdmH-sb@mDv=)ZIwXAg? zOqBt8BrcviLp$KrAe952;FfdM5m-3D(|yFNJ(ROBaO%W>zu6Y9+`T;jjQw=-uR?23rk!%VS}`q9 zL26?@SZ^@jLx1G_M)p{DF;qqGt5r7QlUpUWh5g_)T8iWpZo5)hV)u z04u(NS#l9NvtI?QH_*Z^;}h$r3Aywv1`oTu1rJIRvs?~E5hFU)$<=*_WI&zW_bPG} zO@OL5*mn+Mme_dPOTdYs~*=+j=3VL(sYSgS_E5%oVh2!uNT literal 0 HcmV?d00001 diff --git a/app/src/main/res/android/values-aa-rER/google-playstore-strings.xml b/app/src/main/res/android/values-aa-rER/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-aa-rER/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-aa-rER/strings.xml b/app/src/main/res/android/values-aa-rER/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-aa-rER/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-ach-rUG/google-playstore-strings.xml b/app/src/main/res/android/values-ach-rUG/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-ach-rUG/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-ach-rUG/strings.xml b/app/src/main/res/android/values-ach-rUG/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-ach-rUG/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-ae-rIR/google-playstore-strings.xml b/app/src/main/res/android/values-ae-rIR/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-ae-rIR/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-ae-rIR/strings.xml b/app/src/main/res/android/values-ae-rIR/strings.xml new file mode 100644 index 00000000..bd7e2bd1 --- /dev/null +++ b/app/src/main/res/android/values-ae-rIR/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + تنظیمات + ارسال بازخورد + بررسی + تاریخچه + نکات + سلام. + سلام. + شرایط استفاده. + من شرایط استفاده را مطالعه کردم و آنرا پذیرفتم + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + ما فقط به چند چیز کوچک قبل از شروع نیاز داریم. + کشور + سن + لطفا سن درست را وارد کنید. + جنسیت + مرد + زن + دیگر + نوع دیابت + نوع ۱ + نوع۲ + واحد مورد نظر + به اشتراک گذاشتن داده ها به صورت ناشناس جهت تحقیقات. + شما می توانید این را بعدا در تنظیمات تغییر دهید. + بعدی + شروع به کار + No info available yet. \n Add your first reading here. + وارد کردن سطح گلوکز(قند) خون + غلظت + تاریخ + زمان + اندازه گیری شده + قبل صبحانه + بعد صبحانه + قبل از ناهار + بعد از ناهار + قبل از شام + بعد از شام + General + بررسی مجدد + شب + دیگر + لغو + اضافه + لطفا یک مقدار معتبر وارد کنید. + لطفا تمامی بخش ها را پر کنید. + حذف + ویرایش + 1 reading deleted + برگردان + اخرین بررسی: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + درباره + نسخه + شرایط استفاده + نوع + Weight + دسته سفارشی شده برای اندازه گیری + + خوردن غذا های تازه و فراوری نشده برای کمک به کاهش مصرف کربوهیدارت و قند و شکر. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + دستیار + بروزرسانی همین حالا + متوجه شدم + ارسال بازخورد + ADD READING + بروزرسانی وزن + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + ارسال بازخورد + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-af-rZA/google-playstore-strings.xml b/app/src/main/res/android/values-af-rZA/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-af-rZA/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-af-rZA/strings.xml b/app/src/main/res/android/values-af-rZA/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-af-rZA/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-ak-rGH/google-playstore-strings.xml b/app/src/main/res/android/values-ak-rGH/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-ak-rGH/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-ak-rGH/strings.xml b/app/src/main/res/android/values-ak-rGH/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-ak-rGH/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-am-rET/google-playstore-strings.xml b/app/src/main/res/android/values-am-rET/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-am-rET/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-am-rET/strings.xml b/app/src/main/res/android/values-am-rET/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-am-rET/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-an-rES/google-playstore-strings.xml b/app/src/main/res/android/values-an-rES/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-an-rES/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-an-rES/strings.xml b/app/src/main/res/android/values-an-rES/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-an-rES/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-ar-rSA/google-playstore-strings.xml b/app/src/main/res/android/values-ar-rSA/google-playstore-strings.xml new file mode 100644 index 00000000..0fe6fb0e --- /dev/null +++ b/app/src/main/res/android/values-ar-rSA/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + جلوكسيو + Glucosio is a user centered free and open source app for people with diabetes + باستخدام جلوكسيو، يمكنك إدخال وتتبع مستويات السكر في الدم، ودعم أبحاث مرض السكري بالمساهمة باتجاهات الجلوكوز الديمغرافية بطريقة آمنه، واحصل على نصائح مفيدة من خلال مساعدنا. جلوكسيو تحترم الخصوصية الخاصة بك، وأنت دائماً المسيطر على البيانات الخاصة بك. + * المستخدم محورها. جلوكسيو تطبيقات تم إنشاؤها باستخدام ميزات وتصاميم تتطابق مع احتياجات المستخدم ونحن نتقبل ارائكم باستمرار لتحسين المنتج. + * المصدر المفتوح. تطبيقات جلوكسيو تعطيك الحرية في استخدام ونسخ، ودراسة، وتغيير التعليمات البرمجية من أي من تطبيقات لدينا وحتى المساهمة في مشروع جلوكسيو. + * إدارة البيانات. جلوكسيو يسمح لك بتتبع وإدارة بياناتك الخاصة بداء السكري من واجهة حديثة بنيت بناء على توصيات من مرضى السكري. + * دعم البحوث. تطبيقات جلوكسيو تعطي للمستخدمين خيار عدم مشاركة معلوماتهم الخاصة بمستويات السكري ومعلومات ديموغرافية مع الباحثين. + يرجى ارسال أي الأخطاء أو المشاكل أو الطلبات لـ: + https://github.com/glucosio/android + تفاصيل أكثر: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-ar-rSA/strings.xml b/app/src/main/res/android/values-ar-rSA/strings.xml new file mode 100644 index 00000000..f09c4549 --- /dev/null +++ b/app/src/main/res/android/values-ar-rSA/strings.xml @@ -0,0 +1,136 @@ + + + + جلوكوسيو + إعدادات + ارسل رأيك + نظره عامه + السّجل + نصائح + مرحباً. + مرحباً. + شروط الاستخدام + لقد قرأت وقبلت \"شروط الاستخدام\" + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + نحن بحاجة فقط لبضعة أشياء سريعة قبل البدء. + الدولة + العمر + الرجاء إدخال عمر صحيح. + الجنس + ذكر + أنثى + غير ذلك + نوع داء السكر + نوع 1 + نوع 2 + الوحدة المفضلة + شارك البيانات بطريقة مجهولة للبحوث. + يمكنك تغيير هذه الإعدادات في وقت لاحق. + التالي + لنبدأ + No info available yet. \n Add your first reading here. + أضف مستوى الجلوكوز في الدم + التركيز + التاريخ + الوقت + القياس + قبل الإفطار + وبعد الإفطار + قبل الغداء + بعد الغداء + قبل العشاء + بعد العشاء + عامّ + إعادة فحص + ليل + غير ذلك + ألغِ + أضِف + الرجاء إدخال قيمة صحيحة. + الرجاء تعبئة كافة الحقول. + احذف + عدِّل + حُذِفت قراءة واحدة + التراجع عن + أخر فحص: + الاتجاه الشهر الماضي: + في النطاق وصحي + الشهر + يوم + اسبوع + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + عن + الإصدار + شروط الاستخدام + نوع + الوزن + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + مساعدة + حدِّث الآن + OK, GOT IT + أرسل الملاحظات + أضف القراءة + حدِّث وزنك + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + إرسال ملاحظات + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + إضافة قراءة + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + قيمة الحد الأدنى + قيمة الحد الأقصى + جرِّبها الآن + diff --git a/app/src/main/res/android/values-arn-rCL/google-playstore-strings.xml b/app/src/main/res/android/values-arn-rCL/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-arn-rCL/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-arn-rCL/strings.xml b/app/src/main/res/android/values-arn-rCL/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-arn-rCL/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-as-rIN/google-playstore-strings.xml b/app/src/main/res/android/values-as-rIN/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-as-rIN/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-as-rIN/strings.xml b/app/src/main/res/android/values-as-rIN/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-as-rIN/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-ast-rES/google-playstore-strings.xml b/app/src/main/res/android/values-ast-rES/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-ast-rES/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-ast-rES/strings.xml b/app/src/main/res/android/values-ast-rES/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-ast-rES/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-av-rDA/google-playstore-strings.xml b/app/src/main/res/android/values-av-rDA/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-av-rDA/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-av-rDA/strings.xml b/app/src/main/res/android/values-av-rDA/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-av-rDA/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-ay-rBO/google-playstore-strings.xml b/app/src/main/res/android/values-ay-rBO/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-ay-rBO/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-ay-rBO/strings.xml b/app/src/main/res/android/values-ay-rBO/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-ay-rBO/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-az-rAZ/google-playstore-strings.xml b/app/src/main/res/android/values-az-rAZ/google-playstore-strings.xml new file mode 100644 index 00000000..90c29484 --- /dev/null +++ b/app/src/main/res/android/values-az-rAZ/google-playstore-strings.xml @@ -0,0 +1,20 @@ + + + + + Glucosio + Glucosio — şəkər xəstəliyi olan insanlar üçün pulsuz və açıq qaynaq kodlu proqramdır + Glucosio-dan istifadə edərək, siz qlükozanın səviyyəsi haqqında məlumatları daxil edə və izləyə bilərsiniz, demoqrafiya və qlükozanın səviyyəsi haqqında anonim məlumatların göndərilməsi yolu ilə diabetin tədqiqatlarını dəstəkləmək, həmçinin bizdən məsləhət almaq anonimdir. Glucosio sizin şəxsi həyatınıza hörmət edir və sizin məlumatlarınızı daim nəzarətdə saxlayır. + * İstifadəçi mərkəzli. Glucosio proqramlarının imkanları və dizaynı istifadəçilərin ehtiyaclarına uyğun yaradılmışdır və biz proqramlarımızı yaxşılaşdırmaq üçün əlaqəyə daim hazırıq. + * Açıq qaynaq kodu. Glucosio sizə azad istifadə etmək, köçürmək, araşdırmaq və istənilən proqramımızın mənbə kodunu dəyişdirmək, həmçinin Glucosio layihəsində iştirak etmək hüququnu verir. + * Məlumatları idarə etmə. Glucosio sizə şəkər xəstələri ilə əks əlaqəylə intuitiv və müasir formada məlumatları izləmə və idarə etmə imkanı verir. + * Tədqiqatların dəstəyi. Glucosio istifadəçilərə tədqiqatçılara diabet haqqında anonim məlumatları, həmçinin demoqrafik xarakterin məlumatlarını göndərmək imkanını verir. + +* Поддержка исследований. Glucosio даёт пользователям возможность отправлять исследователям анонимные данные о диабете, а также сведения демографического характера. + Səhvlər, problemlər, həmçinin yeni imkanlar haqqında bu ünvana sorğu göndərin: + https://github.com/glucosio/android + Daha ətraflı: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-az-rAZ/strings.xml b/app/src/main/res/android/values-az-rAZ/strings.xml new file mode 100644 index 00000000..51e14b41 --- /dev/null +++ b/app/src/main/res/android/values-az-rAZ/strings.xml @@ -0,0 +1,137 @@ + + + + Glucosio + Nizamlamalar + Əks əlaqə + Ön baxış + Tarix + İp ucları + Salam. + Salam. + İstifadə şərtləri. + İstifadə şərtlərini oxudum və qəbul edirəm + Glucosio Web saytı, qrfika, rəsm və digər materialları (\"məzmunlar\") şeyləri sadəcə +məlumat məqsədlidir. Həkiminizin dedikləri ilə bərabər, sizə köməkçi olmaq üçün hazırlanan professional bir proqramdır. Uyğun sağlamlıq yoxlanması üçün həmişə həkiminizlə məsləhətləşin. Proqram professional bir sağlamlıq proqramıdır, ancaq əsla və əsla həkimin müayinəsini laqeydlik etməyin və proqramın dediklərinə görə həkimə getməkdən imtina etməyin. Glucosio Web saytı, Blog, Viki və digər əlçatan məzmunlar (\"Web saytı\") sadəcə yuxarıda açıqlanan məqsəd üçün istifadə olunmalıdırr. \n güven Glucosio, Glucosio komanda üzvləri, könüllüllər və digərləri tərəfindən verilən hər hansı məlumatata etibar edin ya da bütün risk sizin üzərinizdədir. Sayt və məzmunu \"olduğu kimi\" formasında təqdim olunur. + Başlamamışdan əvvəl bir neçə şey etməliyik. + Ölkə + Yaş + Lütfən doğru yaşınızı daxil edin. + Cinsiyyət + Kişi + Qadın + Digər + Diyabet tipi + Tip 1 + Tip 2 + Seçilən vahid + Araştırma üçün anonim məlumat göndər. + Bu seçimləri sonra dəyişə bilərsiniz. + Növbəti + BAŞLA + Hələki məlumat yoxdur \n Bura əlavə edə bilərsiniz. + Qan qlikoza dərəcəsi əlavə et + Qatılıq + Tarix + Vaxt + Ölçülən + Səhər, yeməkdən əvvəl + Səhər, yeməkdən sonra + Nahardan əvvəl + Nahardan sonra + Şam yeməyindən əvvəl + Şam yeməyindən sonra + Ümumi + Yenidən yoxla + Gecə + Digər + LƏĞV ET + ƏLAVƏ ET + Etibarlı dəyər daxil edin. + Boş yerləri doldurun. + Sil + Redaktə + 1 oxunma silindi + GERİ + Son yoxlama: + Son bir aydakı tendesiya: + intervalında və sağlam + Ay + Gün + Həftə + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + Haqqında + Versiya + İstifadə şərtləri + Tip + Çəki + Şəxsi ölçü kateqoriyası + + Karbohidrat və şəkər qəbulunu azaltmaq üçün təzə və işlənməmiş qidalardan istifadə edin. + Paketlənmiş məhsulların karbohidrat və şəkər dərəcəsini öyənməkçün etiketləri oxuyun. + Başqa yerdə yeyərkən, əlavə heç bir yağ və ya kərəyağı olmadan balıq, qızartma ət istəyin. + Başqa yerdə yeyərkən, aşağı natriumlu yeməklər olub olmadığını soruşun. + Başqa yerdə yeyərkən, evdə yediyiniz qədər sifariş edin, qalanını isə paketləməyi istəyin. + Başqa yerdə yeyərkən, az kalorili yemək seçin, salat sosu kimi, menyuda olmasa belə istəyin. + Başqa yerdə yeyərkən, dəyişməkdən çəkinməyin. Kartof qızartması əvəzinə tərəvəz istəyin, xiyar, yaşıl lobya və ya brokoli. + Başqa yerdə yeyərkən, qızartmalardan uzaq durun. + Başqa yerdə yeyərkən, sos istəyəndə salatım \"kənarında\" qoymalarını istəyin + Şəkərsiz demək, tamamən şəkər yoxdu demək deyil. Hər porsiyada 0.5 (q) şəkər var deməkdir. Həddən çox \"şəkərsiz\" məhsul istifadə etməyin. + Çəkinin normallaşması qanda şəkərə nəzarət etməyə kömək edir. Sizin həkiminiz, diyetoloq və fitnes-məşqçi sizə çəkinin normallaşmasının planını hazırlamağa kömək edəcəklər. + Qanda şəkərin səviyyəsini yoxlayın və onu gündə iki dəfə Glucosio kimi xüsusi proqramların köməyi ilə izləyin, bu sizə yeməyi və həyat tərzini anlamağa kömək edəcək. + 2-3 ayda bir dəfə qanda şəkərin orta səviyyəsini bilmək üçün A1c qan analizini edin. Sizin həkiminiz hansı tezlikdə analiz verməli olduğunuzu deməlidir. + Sərf edilən karbohidratların izlənilməsi qanda şəkərin səviyyəsinin yoxlaması kimi əhəmiyyətli ola bilər, çünki karbohidratlar qanda qlükozanın səviyyəsinə təsir edir. Sizin həkiminizlə və ya diyetoloqla karbohidrat qəbulunu müzakirə edin. + Qan təzyiqinin, xolesterinin və triqliseridovin səviyyəsinə nəzarət etmək əhəmiyyətlidir, çünki şəkər xəstələri ürək xəstəliklərinə meyillidir. + Pəhrizin bir neçə variantı mövcuddur, onların köməyiylə daha çox sağlam qidalana bilirsiniz, bu sizə öz diabetinə nəzarət etməyə kömək edəcək. Hansı pəhrizin sizə və büdcənizə uyğun olması barədə diyetoloqdan soruşun. + Müntəzəm fiziki tapşırıqlar diabetiklər üçün xüsusilə əhəmiyyətlidir, çünki bu normal çəkini dəstəkləməyə kömək edir. Hansı tapşırıqların sizə uyğun olmasını həkiminizlə müzakirə edin. + Doyunca yatmamaqla çox yemək (xüsusilə qeyri sağlam qida) sizin sağlamlığınızda pis təsir edir. Gecələr yaxşı yatın. Əgər yuxuyla bağlı problemlər sizi narahat edirsə, mütəxəssisə müraciət edin. + Stress şəkər xəstələrinə pis təsir göstərir. Stressin öhdəsindən gəlmək barədə həkiminizlə və ya başqa mütəxəssislə məsləhətləşin. + İllik həkim yoxlaması və həkimlə mütəmadi əlaqə şəkər xəstləri üçün çox əhəmiyyətlidir, bu xəstəliyin istənilən kəskin partlayışının qarşısını almağa imkanverəcək. + Həkiminizin təyinatı üzrə dərmanları qəbul edin, hətta dərmanların qəbulunda kiçik buraxılışlar qanda şəkərin səviyyəsinə təsir göstərir və başqa təsirləri də ola bilər. Əgər sizə dərmanların qəbulunu xatırlamaq çətindirsə, xatırlatmanın imkanları haqqında həkiminizdən soruşun. + + + Yaşlı şəkər xəstələrində sağlamlıqla problemlərin yaranma riski daha çoxdur. Həkiminizlə yaşınızın xəstəliyinizə təsiri haqda danışın və nə etməli olduğunuzu öyrənin. + Hazırlanan yeməklərdə duzun miqdarını azaldın. Həmçinin yemək yeyərkən əlavə etdiyiniz duz miqdarını da azaldın. + + Köməkçi + İndi yenilə + OLDU, ANLADIM + ƏKS ƏLAQƏ GÖNDƏR + OXUMA ƏLAVƏ ET + Çəkinizi yeniləyin + Ən dəqiq informasiyaya malik olmaq üçün Glucosio-u yeniləməyi unutmayın. + Araşdırma qəbulunu yeniləyin + Siz həmişə diabetin birgə tədqiqatına qoşula və çıxa bilərsiniz, amma xatırladaq ki, bütün məlumatlar tamamilə anonimdir. Yalnız demoqrafiklər və qanda qlükozanın səviyyələrində tendensiyalar paylaşılır. + Kateqoriya yarat + Glucosio, standart olaraq qlükoza kateqoriyalara bölünmüş halda gəlir, amma siz nizamlamalarda şəxsi kateqoriyalarınızı yarada bilərsiniz. + Buranı tez-tez yoxla + Glucosio köməkçisi müntəzəm məsləhətlər verir və yaxşılaşmağa davam edəcək, buna görə hər zaman Glucosio təcrübənizi yaxşılaşdıracaq və digər faydalı şeylər üçün buranı yoxlayın. + Əks əlaqə göndər + Əgər siz hər hansı texniki problem aşkar etsəniz və ya Glucosio ilə əks əlaqə yaratmaq istəsəniz, Glucosio-u yaxşılaşdırmağa kömək etmək üçün nizamlamalardan bizə təqdim etməyinizi xahiş edirik. + Oxuma əlavə et + Qlükozanın öz ifadələrini daim əlavə etdiyinizə əmin olun. Buna görə sizə uzun vaxt ərzində qlükozanın səviyyələrini izləməyə kömək edə bilərik. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Seçilən aralıq + Şəxsi aralıq + Minimum dəyər + Maksimum dəyər + İNDİ SINA + diff --git a/app/src/main/res/android/values-ba-rRU/google-playstore-strings.xml b/app/src/main/res/android/values-ba-rRU/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-ba-rRU/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-ba-rRU/strings.xml b/app/src/main/res/android/values-ba-rRU/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-ba-rRU/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-bal-rBA/google-playstore-strings.xml b/app/src/main/res/android/values-bal-rBA/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-bal-rBA/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-bal-rBA/strings.xml b/app/src/main/res/android/values-bal-rBA/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-bal-rBA/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-ban-rID/google-playstore-strings.xml b/app/src/main/res/android/values-ban-rID/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-ban-rID/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-ban-rID/strings.xml b/app/src/main/res/android/values-ban-rID/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-ban-rID/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-be-rBY/google-playstore-strings.xml b/app/src/main/res/android/values-be-rBY/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-be-rBY/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-be-rBY/strings.xml b/app/src/main/res/android/values-be-rBY/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-be-rBY/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-ber-rDZ/google-playstore-strings.xml b/app/src/main/res/android/values-ber-rDZ/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-ber-rDZ/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-ber-rDZ/strings.xml b/app/src/main/res/android/values-ber-rDZ/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-ber-rDZ/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-bfo-rBF/google-playstore-strings.xml b/app/src/main/res/android/values-bfo-rBF/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-bfo-rBF/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-bfo-rBF/strings.xml b/app/src/main/res/android/values-bfo-rBF/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-bfo-rBF/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-bg-rBG/google-playstore-strings.xml b/app/src/main/res/android/values-bg-rBG/google-playstore-strings.xml new file mode 100644 index 00000000..a4ec05a0 --- /dev/null +++ b/app/src/main/res/android/values-bg-rBG/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio е потребителски центрирано, безплатно и с отворен код приложение за хора с диабет + Използвайки Glucosio, може да въведете и проследявате нивата на кръвната захар, анонимно да подкрепите изследвания на диабета като предоставите демографски и анонимни тенденции на кръвната захар, да получите полезни съвети чрез нашия помощник. Glucosio уважава вашата поверителност и вие винаги може да контролирате вашите данни. + * Потребителски центрирано. Glucosio приложенията са изградени с функции и дизайн, които да отговарят на потребителските нужди и винаги сме отворени за предложения във връзка с подобрението. + * Отворен код. Glucosio приложенията ви дават свободата да използвате, копирате, проучвате и променяте кода на всяко едно от нашите приложения и дори да допринесете за развитието на Glucosio проекта. + * Управление на данни. Glucosio ви позволява да следите и да управлявате данните за диабета ви по интуитивен, модерен интерфейс изграден с помощта на съвети от диабетици. + * Подкрепете проучването. Glucosio приложенията дават на потребителите избор дали да участват в анонимното споделяне на данни за диабета и демографска информация с изследователите. + Моля изпращайте всякакви грешки, проблеми или предложения за функции на: + https://github.com/glucosio/android + Вижте повече: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-bg-rBG/strings.xml b/app/src/main/res/android/values-bg-rBG/strings.xml new file mode 100644 index 00000000..2ed3d8c6 --- /dev/null +++ b/app/src/main/res/android/values-bg-rBG/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Настройки + Изпрати отзив + Преглед + История + Съвети + Здравейте. + Здравейте. + Условия за ползване + Прочетох и приемам условията за ползване + Съдържанието на уеб страницата и приложението на Glucosio, например текст, графики, изображения и други материали (\"Съдържание\") са само с информативни цели. Съдържанието не е предназначено да бъде заместител на професионален медицински съвет, диагностика или лечение. Насърчаваме потребителите на Glucosio винаги да търсят съвет от лекар или друг квалифициран медицински специалист за всякакви въпроси, които може да имат по отношение на медицинско състояние. Никога не пренебрегвайте професионален медицински съвет и не го търсете със закъснение, защото сте прочели нещо в уеб страницата на Glucosio или в нашето приложение. Уеб страницата, блогът, уики странцата на Glucosio или друго съдържание достъпно през уеб браузър (\"Уеб страница\") трябва да се използва само за описаното по-горе предназначение.\n Уповаването във всякаква информация предоставена от Glucosio, екипът на Glucosio, доброволци и други, показани на Уеб страницата или в нашите приложения е единствено на ваш риск. Страницата и Съдържанието са предоставени само като основа. + Необходимо е набързо да попълните няколко неща преди да започнете. + Държава + Възраст + Моля въведете действителна възраст. + Пол + Мъж + Жена + Друг + Тип диабет + Тип 1 + Тип 2 + Предпочитана единица + Споделете анонимни данни за проучване. + Можете да промените тези настройки по-късно. + СЛЕДВАЩА + НАЧАЛО + Все още няма налична информация. \n Добавете вашите стойности тук. + Добави Ниво на Кръвната Захар + Концентрация + Дата + Време + Измерено + Преди закуска + След закуска + Преди обяд + След обяд + Преди вечеря + След вечеря + Основни + Повторна проверка + Нощ + Друг + Отказ + Добави + Моля въведете правилна стойност. + Моля попълнете всички полета. + Изтриване + Промяна + 1 отчитане изтрито + Отменям + Последна проверка: + Тенденция през последния месец: + В граници и здравословен + Месец + Ден + Седмица + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + Относно + Версия + Условия за ползване + Тип + Тегло + Потребителска категория за измерване + + Яжте повече пресни, неподправени храни, това ще спомогне за намаляване на приема на захар и въглехидрати. + Четете етикетите на пакетираните храни и напитки, за да контролирате приема на захар и въглехидрати. + Когато се храните навън, попитайте за риба и месо, печени без допълнително масло или олио. + Когато се храните навън, попитайте дали имат ястия с ниско съдържание на натрий. + Когато се храните навън, изяждайте същите порции, които бихте изяли у дома и помолете да вземете останалото за вкъщи. + Когато се храните навън питайте за ниско калорични храни като дресинги за салата, дори да ги няма в менюто. + Когато се храните навън, попитайте за заместители, например вместо Пържени картофи, поискайте зеленчуци, салата, зелен боб или броколи. + Когато се храните навън, поръчвайте храна, която не е панирана или пържена. + Когато се храните навън помолете отделно за сосове, сокове и дресинги за салата. + \"Без захар\" не означава наистина без захар. Означава 0,5 грама (g) захар на порция, така че внимавайте и не включвайте много храни \"без захар\" в храненето ви. + Поддържането на здравословно тегло ви помага да контролирате нивото на кръвна захар. Вашият доктор, диетолог или фитнес инструктор може да Ви помогне да изградите подходящ за вас режим. + Проверяването на нивото на кръвна захар и следенето й с приложение като Glucosio два пъти на ден ще Ви помогне да сте наясно с последствията от храната и начина Ви на живот. + Направете A1c кръвен тест, за да разберете вашето средно ниво на кръвна захар за последните 2 до 3 месеца. Вашият доктор трябва да Ви каже колко често трябва да правите този тест. + Следенето на количеството въглехидрати, което консумирате е също толкова важно, колкото проверяването на кръвта, тъй като те влияят на нивото на кръвна захар. Говорете с вашия доктор или диетолог относно приема въглехидрати. + Следенето на кръвното налягане, холестерола и нивата на триглицеридите е важно, тъй като диабетиците са податливи на сърдечни заболявания. + Има няколко диети, които могат да Ви помогнат да се храните по-здравословно и да намалите последствията от диабета. Потърсете съвет от диетолог, за това какво ще бъде най-добре за вас и вашия бюджет. + Правенето на редовни упражнения е особено важно за диабетиците и може да Ви помогне да поддържате здравословно тегло. Моля попитайте вашия лекар за упражнения, които биха били подходящи за вас. + Лишаването от сън може да Ви накара да ядете повече, особено вредна храна и може да има отрицателно влияние върху здравето. Бъдете сигурни, че получавате добър нощен сън и се консултирайте със специалист, ако изпитвате затруднения. + Стресът може да има отрицателно влияние върху диабета, моля свържете с вашия лекар, или друг професионалист и поговорете за справянето със стреса. + Посещавайки вашия доктор веднъж годишно и поддържайки постоянна връзка през годината е важно за диабетиците, за да предотвратят внезапното възникване на здравословни проблеми. + Взимайте лекарствата си според предписанията на вашия лекар, дори малки пропуски могат да повлияят на нивото на кръвната ви захар и може да причинят странични ефекти. Ако имате затруднения с запомнянето, попитайте вашия доктор за следене на лечението и начини за напомняне. + + + Здравето на по-възрастните диабетици е изложено на по-голям риск свързан с диабета. Моля свържете с вашия доктор и се информирайте, как възрастта влияе на диабета ви и за какво да внимавате. + Ограничете количеството сол, когато готвите и когато подправяте вече готовите ястия. + + Помощник + АКТУАЛИЗИРАЙ СЕГА + ДОБРЕ, РАЗБРАХ + ИЗПРАТИ ОТЗИВ + ДОБАВИ ПОКАЗАТЕЛ + Актуализиране на тегло + Актуализирайте теглото си, за да може Glucosio да разполага с най-точна информация. + Актуализиране на участието в проучването + Винаги може да изберете дали да участвате или да не участвате в споделянето на данни за проучването на диабета, но помнете, че всички споделени данни са изцяло анонимни. Ние споделяме само демографски данни и тенденции в нивото на кръвна захар. + Създай категории + В Glucosio са предложени готови категории за въвеждане на данни за кръвната захар, но можете да създадете собствени категории в настройките, за да отговарят на вашите уникални нужди. + Проверявайте често тук + Glucosio помощникът осигурява редовни съвети и ще продължи да се подобрява, така че винаги проверявай тук за полезни действия, които да подобрят вашата употреба на Glucosio и за други полезни съвети. + Изпрати отзив + Ако откриете някакви технически грешки или имате отзив за Glucosio ви насърчаваме да го изпратите в менюто \"Настройки\", за да ни помогнете да усъвършенстваме Glucosio. + Добави стойност + Не забравяйте редовно да добавяте показанията на кръвната ви захар, така ще можем да ви помогнем да проследите нивата с течение на времето. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Предпочитан диапазон + Потребителски диапазон + Минимална стойност + Максимална стойност + ИЗПРОБВАЙ СЕГА + diff --git a/app/src/main/res/android/values-bh-rIN/google-playstore-strings.xml b/app/src/main/res/android/values-bh-rIN/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-bh-rIN/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-bh-rIN/strings.xml b/app/src/main/res/android/values-bh-rIN/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-bh-rIN/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-bi-rVU/google-playstore-strings.xml b/app/src/main/res/android/values-bi-rVU/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-bi-rVU/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-bi-rVU/strings.xml b/app/src/main/res/android/values-bi-rVU/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-bi-rVU/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-bm-rML/google-playstore-strings.xml b/app/src/main/res/android/values-bm-rML/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-bm-rML/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-bm-rML/strings.xml b/app/src/main/res/android/values-bm-rML/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-bm-rML/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-bn-rBD/google-playstore-strings.xml b/app/src/main/res/android/values-bn-rBD/google-playstore-strings.xml new file mode 100644 index 00000000..f631424a --- /dev/null +++ b/app/src/main/res/android/values-bn-rBD/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + গ্লুকোসিও হল ডায়াবেটিসে আক্রান্ত ব্যাক্তিদের একটি ইউজার কেন্দ্রীক ফ্রি ও ওপেনসোর্স অ্যাপ। + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + অনুগ্রহ করে যেকোন বাগ, ইস্যু অথবা ফিচার অনুরোধের জন্য এখানে লিখুন: + https://github.com/glucosio/android + আরও বিস্তারিত: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-bn-rBD/strings.xml b/app/src/main/res/android/values-bn-rBD/strings.xml new file mode 100644 index 00000000..808b980b --- /dev/null +++ b/app/src/main/res/android/values-bn-rBD/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + সেটিংস + ফিডব্যাক প্রেরণ করুন + সংক্ষিপ্ত বিবরণ + ইতিহাস + ইঙ্গিত + হ্যালো। + হ্যালো। + ব্যবহারের শর্তাবলী। + আমি ব্যবহারের শর্তাবলী পড়েছি এবং তা মেনে নিচ্ছি + গ্লুকোসিও ওয়েবসাইট এবং অ্যাপের কন্টেন্ট, যেমন লেখা, গ্রাফিক্স, ছবি এবং অন্যান্য উপকরণ (\"কন্টেন্ট\") শুধুমাত্র তথ্যভিত্তিক ব্যবহারের জন্য। এই কন্টেন্ট কোন পেশাদার মেডিক্যাল পরামর্শ, ডায়গোনসিস বা চিকিৎসার বিকল্প নয়। আমরা গ্লুকোসিও ব্যবহারকারীদের সবসময় উৎসাহিত করি যেকোন স্বাস্থ্যগত সমস্যায় একজন চিকিৎসক অথবা অন্য কোন পরীক্ষিত স্বাস্থ্যসেবা প্রদানকারীর পরামর্শ নিতে। গ্লুকোসিও ওয়েবসাইট বা অ্যাপে পড়েছেন এমন কিছুর জন্য কখনও পেশাদার চিকিৎসকের পরামর্শকে উপেক্ষা বা পরামর্শ নিতে দেরি করা উচিত নয়। গ্লুকোসিও ওয়েবসাইট, ব্লগ, উইকি এবং ওয়েব ব্রাউজারে পাওয়া যায় (\"ওয়েবসাইট\") শুধুমাত্র উপরের বর্ণিত উদ্দেশ্যেই ব্যবহারযোগ্য।\n গ্লুকোসিও, গ্লুকোসিও টিম মেম্বার, স্বেচ্ছাসেবক এবং এর ওয়েবসাইট বা অ্যাপে দেওয়া কোন তথ্যের উপর কেবলমাত্র আপনার নিজ দায়িত্বে ভরসা রাখবেন। সাইট এবং কন্টেন্ট \"পূর্বের অভিজ্ঞতার\" ভিত্তিতে প্রদান করা হয়। + শুরু করার আগে আমাদের শুধু দ্রুত কিছু জিনিস প্রয়োজন। + দেশ + বয়স + একটি বৈধ বয়স লিখুন। + লিঙ্গ + পুরুষ + মহিলা + অন্যান্য + ডায়াবেটিসের ধরণ + ১ নং ধরণ + ২ নং ধরণ + পছন্দের ইউনিট + গবেষণার জন্য বেনামী তথ্য শেয়ার করুন। + আপনি এগুলি সেটিংসে গিয়ে পরেও বদলাতে পারেন। + পরবর্তী + শুরু করুন + এখন পর্যন্ত কোন তথ্য নেই। \n আপনার রিডিং এখানে যোগ করুন। + রক্তে গ্লুকোজের মাত্রা যোগ করুন + ঘনত্ব + তারিখ + সময় + পরিমাপ + সকালে খাওয়ার আগে + সকালে খাওয়ার পরে + দুপুরে খাওয়ার আগে + দুপুরে খাওয়ার পরে + রাতে খাওয়ার আগে + রাতে খাওয়ার পরে + সাধারণ + পুনঃপরীক্ষা + রাত + অন্যান্য + বাতিল + যোগ + অনুগ্রহ করে একটি বৈধ মান প্রবেশ করান। + অনুগ্রহ করে সকল ফিল্ড ভরাট করুন। + মুছে ফেলুন + সম্পাদন + একটি তথ্য মুছে ফেলা হল + বাতিল করুন + সর্বশেষ পরীক্ষা: + গত মাস ধরে প্রবনতা: + পরিসীমার মধ্যে ও সুস্থ + মাস + দিন + সপ্তাহ + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + সম্পর্কে + সংস্করণ + ব্যবহারের শর্তাবলী। + ধরন + ওজন + কাস্টম পরিমাপ বিভাগ + + কার্বহাইড্রেট এবং সুগারের মাত্রা কমাতে, বেশি করে তাজা, অপ্রক্রিয়াজাত খাবার খান। + সুগার এবং কার্বহাইড্রেটের মাত্রা নিয়ন্ত্রণে রাখতে খাবার এবং পানীয়ের প্যাকেজের পুষ্টি সম্পর্কিত লেবেল পড়ুন। + যখন বাইরে খাবেন, বাড়তি মাখন বা তেল ছাড়া সিদ্ধ করা মাছ বা মাংস চান। + যখন বাইরে খাবেন, জিজ্ঞেস করুন তাদের কম সোডিয়ামযুক্ত খাবার পদ রয়েছে কিনা। + যখন বাইরে খাবেন, বাড়িতে যে পরিমান খাবার খান ঠিক সেই পরিমান খাবার খান, বাকী খাবার যাওয়ার সময় নিয়ে নিন। + যখন বাইরে খাবেন তাদের তালিকায় কম ক্যালোরির পদ মেনুতে না থাকলেও, এমন খাবার চেয়ে নিন, যেমন সালাদ ইত্যাদি। + যখন বাইরে খাবেন, খাবার বদল করতে বলুন। ফেঞ্চ ফ্রাইয়ের বদলে শাঁকসব্জি যেমন সালাদ, গ্রিন বিনস অথবা ব্রোকলি দ্বিগুণ পরিমানে অর্ডার করুন। + যখন বাইরে খাবেন, ভাঁজা-পোড়া নয় এমন খাবার অর্ডার করুন। + যখন বাইরে খাবেন \"সাথে\" সস, ঝোলজাতীয় এবং সালাদের কথা বলুন। + চিনিবিহীন মানে একেবারে চিনিমুক্ত নয়। এর অর্থ হল প্রতি পরিবেশনে 0.5 গ্রাম (g) চিনি থাকবে, তাই সতর্ক থাকুন যেমন খুব বেশি চিনিবিহীন আইটেম রাখা না হয়। + ব্লাড সুগার নিয়ন্ত্রণে রাখতে শরীরের সঠিক ওজন সাহায্য করে। আপনার চিকিৎসক, পরামর্শক এবং ফিটনেস প্রশিক্ষক আপনাকে এ উদ্দেশ্যে কাজ করতে পরিকল্পনায় সাহায্য করতে পারে। + ব্লাড লেভেল পরীক্ষা করে এবং তা দিনে দুইবার গ্লুকোসিও এর মত কোন অ্যাপে ট্র্যাক করে আপনার খাবার এবং জীবনধারনের পদ্ধতির ফলাফল সম্পর্কে আপনি জানতে পারবেন। + গত ২ বা ৩ মাসে আপনার রক্তে গড় চিনির পরিমাণ জানতে A1c রক্ত পরীক্ষা নিন। আপনার চিকিৎসক আপনাকে বলে দিবে কত ঘন ঘন আপনাকে এই পরীক্ষাটি করাতে হবে। + যেহেতু কার্বহাইড্রেট রক্তে গ্লুকোজের পরিমাণ প্রভাবিত করে তাই আপনি কি পরিমাণ কার্বোহাইড্রেট গ্রহণ করছেন তা ট্র্যাক করা রক্তে গ্লুকোনের মাত্রা পরীক্ষা করার মতনই গুরুত্বপূর্ণ। + রক্তচাপ, কোলেস্টেরল এবং ট্রাইগ্লিসারাইড লেভেল নিয়ন্ত্রণ গুরুত্বপূর্ণ কারন ডায়বেটিস হৃদরোগ ঘটাতে সক্ষম। + আপনার ডায়বেটিসের ফলাফল উন্নয়নের জন্য বিভিন্ন ডায়েট পদ্ধতি রয়েছে। আপনি আপনার পরামর্শক বা ডাক্তারের পরামর্শ নিন কোনটা আপনার জন্য আপনার বাজেটে ভালো হবে। + নিয়মিত ব্যয়াম বিশেষভাবে গুরুত্বপূর্ণ যাদের ডায়াবেটিস রয়েছে এবং এটি আপনাকে সঠিক ওজনে রাখতেও সাহায্য করে। আপনার জন্য সঠিক ব্যয়াম সম্পর্কে জানতে ডাক্তারের সাথে আলাপ করুন। + নির্ঘুম-বিষন্নতা আপনাকে বেশি খাবার বিশেষ করে জাংক ফুড গ্রহণ করতে উদ্বুদ্ধ করে এবং এর খারাপ ফলাফল আপনার স্বাস্থ্যের ক্ষতি করতে পারে। নিশ্চিত হোন আপনি যেন ভালো ঘুমাতে পারেন এবং যদি ঘুমাতে সমস্যা হয় বিশেষজ্ঞের পরামর্শ নিন। + মানসিক চাপ আপনার ডায়াবেটিসকে আরও খারাপের দিকে নিতে পারে। মানসিক চাপের সাথে কিভাবে মানিয়ে নিবেন সে বিষয়ে আপনার পরামর্শক বা ডাক্ত্রের পরামর্শ নিন। + স্বাস্থ্য সংক্রান্ত হঠাৎ যেকোন সমস্যা এড়াতে বছরজুড়ে ডাক্তারের সাথে যোগাযোগ রাখা জরুরী, অন্তত বছরে একবার ডাক্তারের কাজে যাওয়া উচিত। + আপনার ডাক্তারের পরামর্শ অনুযায়ী ঔষধ সেবন করুন। ঔষধে খুব সামান্য ভুলও আপনার রক্তে গ্লুকোজের মাত্রায় প্রভাব ফেলতে পারে এবং পার্শ্বপ্রতিক্রিয়া দেখা দিতে পারে। যদি সমস্যা হয় তাহলে আপনার ডাক্তারকে আপনার ঔষধ ব্যবস্থাপনা ও মনে করিয়ে দেওয়ার ব্যাপারে জিজ্ঞাসা করুন। + + + বয়স্ক ডায়বেটিস রোগীরা, ডায়াবেটস সংক্রান্ত স্বাস্থ্য সমস্যার জন্য বেশি ঝুকিপূর্ণ। আপনার ডাক্তারকে আপনার বয়স সম্পর্কে জানান এবং বয়সের সাথে সাথে কি করতে হবে এবং কি কি নজরে রাখতে হবে তা আলোচনা করুন। + খাবার রান্না করা এবং খাবারের সময় লবণের পরিমাণ সীমিত করুন। + + সহকারী + এখনই আপডেট করো + ঠিক আছে, বুঝতে পেরেছি + ফিডব্যাক জমা করুন + রিডিং সংযুক্ত করুন + আপনার নতুন ওজন দিন + অবশ্যই আপনার ওজন নিয়মিত হালনাগাদ করুন যেন গ্লুকোসিও সঠিক তথ্য পেতে পারে। + আপনার গবেষণা হালনাগাদে যোগ দিন + আপনি যেকোন সময়ে ডায়াবেটিস গবেষণার জন্য তথ্য প্রদানে অংশ নিতে বা তা থেকে বিরত থাকতে পারে, তবে মনে রাখবেন সকল ডাটা যা শেয়ার করা হচ্ছে তা বেনামে। আমরা কেবল মাত্র ডেমোগ্রাফি এবং গ্লুকোজ লেভেল ট্রেন্ড শেয়ার করে থাকি। + বিভাগ তৈরি করুন + গ্লুকোসিওতে কিছু ডিফল্ট বিষয়শ্রেণী থাকে আপনার গ্লুকোজ ইনপুট দেওয়ার জন্য তবে আপনি নিজেও আপনার সাথে মিল রেখে সেটিং থেকে নিজস্ব বিষয়শ্রেণী তৈরি করতে পারেন। + এখানে প্রায়ই পরীক্ষা করুন + গ্লুকোসিও সহযোগী নিয়মিত পরামর্শ প্রদান করে এবং প্রতিনিয়ত নিজেকে আরও ভালো করছে, তাই আপনার গ্লুকোসিও অভিজ্ঞতাকে আরও ভালো করতে এবং অন্যান্য আরও উপকারী পরামর্শ পেতে নিয়মিত এখানে দেখুন এবং কি করতে হবে জানুন। + ফিডব্যাক জমা করুন + যেকোন কারিগরি সমস্যায় বা যদি গ্লুকোসিও সম্পর্কে কোন ফিডব্যাক থাকে তাহলে গ্লুকোসিওকে আরও ভালো করতে সেটিং মেনু থেকে তা সাবমিট করুন। + পড়ায় যুক্ত করুন + অবশ্যই নিয়মিত আপনার গ্লুকোজের মাত্রা যোগ করবেন যেন আমরা আপনাকে আপনার গ্লুকোজের মাত্রা সময়ে সময়ে ট্র্যাক করতে সহযোগীতা করতে পারি। + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + পছন্দের পরিসীমা + স্বনির্ধারিত পরিসীমা + সর্বনিম্ন মান + সর্বোচ্চ মান + এখনই ব্যবহার করে দেখুন + diff --git a/app/src/main/res/android/values-bn-rIN/google-playstore-strings.xml b/app/src/main/res/android/values-bn-rIN/google-playstore-strings.xml new file mode 100644 index 00000000..f631424a --- /dev/null +++ b/app/src/main/res/android/values-bn-rIN/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + গ্লুকোসিও হল ডায়াবেটিসে আক্রান্ত ব্যাক্তিদের একটি ইউজার কেন্দ্রীক ফ্রি ও ওপেনসোর্স অ্যাপ। + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + অনুগ্রহ করে যেকোন বাগ, ইস্যু অথবা ফিচার অনুরোধের জন্য এখানে লিখুন: + https://github.com/glucosio/android + আরও বিস্তারিত: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-bn-rIN/strings.xml b/app/src/main/res/android/values-bn-rIN/strings.xml new file mode 100644 index 00000000..2cd31978 --- /dev/null +++ b/app/src/main/res/android/values-bn-rIN/strings.xml @@ -0,0 +1,139 @@ + + + + Glucosio + সেটিংস + মতামত পাঠান + সংক্ষিপ্ত বিবরণ + ইতিহাস + পরামর্শ + হ্যালো। + হ্যালো। + ব্যবহারের শর্তাবলী + আমি পাঠ করে এবং ব্যবহারের শর্তাবলী স্বীকার করি + গ্লুকোসিও ওয়েবসাইট এবং অ্যাপের কন্টেন্ট, যেমন লেখা, গ্রাফিক্স, ছবি এবং অন্যান্য উপকরণ (\"কন্টেন্ট\") শুধুমাত্র তথ্যভিত্তিক ব্যবহারের জন্য। এই কন্টেন্ট কোন পেশাদার মেডিক্যাল পরামর্শ, ডায়গোনসিস বা চিকিৎসার বিকল্প নয়। আমরা গ্লুকোসিও ব্যবহারকারীদের সবসময় উৎসাহিত করি যেকোন স্বাস্থ্যগত সমস্যায় একজন চিকিৎসক অথবা অন্য কোন পরীক্ষিত স্বাস্থ্যসেবা প্রদানকারীর পরামর্শ নিতে। গ্লুকোসিও ওয়েবসাইট বা অ্যাপে পড়েছেন এমন কিছুর জন্য কখনও পেশাদার চিকিৎসকের পরামর্শকে উপেক্ষা বা পরামর্শ নিতে দেরি করা উচিত নয়। গ্লুকোসিও ওয়েবসাইট, ব্লগ, উইকি এবং ওয়েব ব্রাউজারে পাওয়া যায় (\"ওয়েবসাইট\") শুধুমাত্র উপরের বর্ণিত উদ্দেশ্যেই ব্যবহারযোগ্য।\n গ্লুকোসিও, গ্লুকোসিও টিম মেম্বার, স্বেচ্ছাসেবক এবং এর ওয়েবসাইট বা অ্যাপে দেওয়া কোন তথ্যের উপর কেবলমাত্র আপনার নিজ দায়িত্বে ভরসা রাখবেন। সাইট এবং কন্টেন্ট \"পূর্বের অভিজ্ঞতার\" ভিত্তিতে প্রদান করা হয়। + আপনার শুরু করার আগে আমদের দ্রুত কিছু জিনিসের প্রয়োজন। + দেশ + বয়স + অনুগ্রহ করে সঠিক বয়স দিন। + লিঙ্গ + পুরুষ + নারী + অন্যান্য + ডায়াবেটিসের ধরন + ধরন 1 + ধরন 2 + পছন্দের ইউনিট + গবেষণা করার জন্য বেনামী তথ্য শেয়ার করুন। + আপনি পরে সেটিংসে এই পরিবর্তন করতে পারেন। + পরবর্তী + এবার শুরু করা যাক + এখন পর্যন্ত কোন তথ্য নেই। \n আপনার রিডিং এখানে যোগ করুন। + রক্তের গ্লুকোজ মাত্রা যোগ করুন + একাগ্রতা + তারিখ + সময় + মাপা হয়েছে + জলখাবারের আগে + জলখাবারের পর + দুপুরের খাবারের আগে + দুপুরের খাবারের পরে + রাতের খাবারের আগে + রাতের খাবারের পরে + সাধারণ + আবার পরীক্ষা করুন + রাত + অন্যান্য + বাতিল করুন + যোগ করুন + অনুগ্রহ করে একটি বৈধ মান দিন। + সব ক্ষেত্র পূরণ করুন। + মুছে দিন + সম্পাদনা করুন + 1 পাঠের মুছে ফেলা হয়েছে + পূর্বাবস্থায় যান + সর্বশেষ পরীক্ষা: + গত মাস ধরে প্রবণতা দেখা দিয়েছে: + পরিসীমা এবং সুস্থর মধ্যে + মাস + দিন + সপ্তাহ + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + সম্পর্কে + সংস্করণ + ব্যবহারের শর্তাবলী + প্রকার + ওজন + কাস্টম পরিমাপ বিভাগ + + আরো তাজা খান, অপ্রক্রিয়াজাত খাবার কার্বোহাইড্রেট এবং চিনি খাওয়া কমাতে সাহায্য করে। + প্যাক করা খাবার এবং পানীয়ের পুষ্টির মাত্রা পড়ুন চিনি এবং কার্বোহাইড্রেট খাওয়া নিয়ন্ত্রণ করতে। + যখন খাওয় দাওয়া করছেন, কোন অতিরিক্ত মাখন বা তেল দিয়ে ভাজা নয় মাছ বা মাংসের জন্য জিজ্ঞাসা করুন। + যখন খাওয় দাওয়া করছেন, তাদের কম সোডিয়াম জাত খাবার আছে কিনা জিজ্ঞাসা করুন। + যখন খাওয় দাওয়া করছেন, আপনি বাড়ীতে যে মাপে খান ঠিক সেই মাপে খান ও উচ্ছিষ্ট রেখে দিন। + + যখন খাওয় দাওয়া করছেন তখন কম ক্যালোরির জিনিসের জন্য অনুরোধ করবেন, যেমন স্যালাড, এমনকি তারা মেনুতে না থেকলেও। + যখন খাওয় দাওয়া করছেন বদল জন্য অনুরোধ করবেন। ফরাসি ফ্রাই -এর বদলে যালাড, সবুজ মটরশুটি বা ফুলকপির মত সবজির দ্বিগুণ অর্ডার অনুরোধ। + যখন খাওয় দাওয়া করছেন, সেই খাবারের অর্ডার করুন যা ভাজা বা পুরসহ ভাজা নয়। + যখন খাওয় দাওয়া করছেন, চাটনি, ঝোল এবং স্যালাড \"পাশে রাখুন\"। + চিনি নেই মানে সত্যিই চিনি নেই তা নয়। এটি হল 0.5 গ্রাম (g) শর্করা। তাই চিনি নেই এমন জিনিস ইচ্ছাপূরণের জন্য কম নেওয়ার সতর্কতা অবলম্বন করা আবশ্যক। + একটি স্বাস্থ্যকর ওজ রক্তের চিনির শর্করার পরিমান নিয়ন্ত্রণ করে। আপনার ডাক্তার, একটি পথ্যব্যবস্থাবিদ্যাবিদ, এবং একটি ফিটনেস প্রশিক্ষক আপনার জন্য কাজ করবে এমন একটি পরিকল্পনা শুরু করতে পারেন। + আপনার রক্তের মাত্রা Glucosio -র মত একটি অ্যাপ্লিকেশনে দিনে দুইবার পরীক্ষা করালে, যার ফলাফল আপনাকে সচেতন করতে সাহায্য করবে খাদ্য এবং জীবনধারা পছন্দ নিয়ে। + গত 2 বা 3 মাসের জন্য আপনার রক্তের গড় শর্করা খুঁজে বের করতে A1c রক্ত পরীক্ষা করুন। আপনার ডাক্তার আপনাকে জানাবে কত ঘন ঘন এই পরীক্ষা সঞ্চালিত করা প্রয়োজন। + কতগুলি শর্করা আপনি গ্রাস করতে পারেন তার অনুসরণ করা গুরুত্বপূর্ণ হতে পারে রক্তের মাত্রা চেক করার সময় কারন কার্বোহাইড্রেটের রক্তে গ্লুকোজের মাত্রাকে প্রভাবিত করে। আপনার ডাক্তার বা একটি পথ্যব্যবস্থাবিদ্যাবিদের কার্বোহাইড্রেট ভোজনের সম্পর্কে কথা বলুন। + + + রক্তচাপ, কলেস্টেরল, এবং ট্রাইগ্লিসারাইডের মাত্রা নিয়ন্ত্রণ গুরুত্বপূর্ণ, ডায়াবেটিকসের থেকে হৃদরোগ হওয়ার আশঙ্কা থাকে। + আপনার স্বাস্থ্যসম্মত ভাবে খাওয়ার জন্য ভিন্ন খাদ্যের পন্থা আছে ও আপনার ডায়াবেটিসের ফলাফলকে উন্নত করতে সাহায্য করে।আপনার এবং আপনার সাধ্যের মধ্যে ভাল হবে, তা নিয়ে একটি পথ্যব্যবস্থাবিদ্যাবিদের থেকে পরামর্শ নিন। + ডায়াবেটিসের জন্য বিশেষভাবে গুরুত্বপূর্ণ ব্যায়াম নিয়মিত করুন যা আপনাকে একটি স্বাস্থ্যকর ওজন বজায় রাখতে সাহায্য করতে পারে। আপনার জন্য উপযুক্ত ব্যায়াম সম্পর্কে জানতে আপনার ডাক্তারের সঙ্গে কথা বলুন। + ঘুম থেকে বঞ্চিত হলে, যা আপনাকে জাঙ্ক খাবারের মত আরো বিশেষ কিছু খাওয়াতে বাধ্য করে ও ফলে নেতিবাচকভাবে আপনার স্বাস্থ্য প্রভাবিত হতে পারে। রাত্রে ভালো ভাবে ঘুমান ও আপনি অসুবিধাতে ভুগলে একজন ঘুম বিশেষজ্ঞের সাথে পরামর্শ করেন। + চাপ ডায়াবেটিসের উপর নেতিবাচক প্রভাব ফেলতে পারে, আপনার ডাক্তারের সঙ্গে বা অন্যান্য পেশাদার স্বাস্থ্যসেবায় কথা বলুন চাপের সঙ্গে মোকাবেলা সম্পর্কে। + বছরে একবার আপনার ডাক্তারের কাছে যান ও সারা বছর নিয়মিত যোগাযোগ রাখা ডায়াবেটিকসের সাথে যুক্ত স্বাস্থ্য সমস্যার কোনো আকস্মিক সূত্রপাতকে প্রতিরোধ করার জন্য গুরুত্বপূর্ণ। + আপনার ডাক্তার দ্বারা নির্ধারিত হিসাবে আপনার ঔষধ নিন এমনকি আপনার ঔষধে ছোট ত্রুটি বিচ্যুতি আপনার রক্তে শর্করার মাত্রা প্রভাবিত করতে পারে। অসুবিধা মনে হলে আপনার ডাক্তারকে মনে করে জিজ্ঞাসা করবেন ঔষধ ব্যবস্থাপনা এবং অনুস্মারক বিকল্প সম্পর্কে। + + + পুরাতন ডায়াবেটিকস, ডায়াবেটিসের সঙ্গে যুক্ত স্বাস্থ্য সমস্যার জন্য উচ্চতর ঝুঁকি হতে পারে। সে বিষয়ে আপনার ডাক্তারের সঙ্গে কথা বলুন আপনার ডায়াবেটিসে কিভবে আপনার বয়স একটি ভূমিকা পালন করে এবং কি দেখতে হতে পারে। + আপনি খাবার রান্না করা সময় ও রান্না করা খাবারে লবণের ব্যবহার কম করুন। + + সহকারী + এখন আপডেট করুন + ঠিক আছে, বুঝেছি + ফিডব্যাক জমা করুন + পড়া যোগ করুন + আপনার ওজন আপডেট করুন + অবশ্যই আপনার ওজন নিয়মিত হালনাগাদ করুন যেন গ্লুকোসিও সঠিক তথ্য পেতে পারে। + আপনার গবেষণা হালনাগাদে যোগ দিন + আপনি যেকোন সময়ে ডায়াবেটিস গবেষণার জন্য তথ্য প্রদানে অংশ নিতে বা তা থেকে বিরত থাকতে পারে, তবে মনে রাখবেন সকল ডাটা যা শেয়ার করা হচ্ছে তা বেনামে। আমরা কেবল মাত্র ডেমোগ্রাফি এবং গ্লুকোজ লেভেল ট্রেন্ড শেয়ার করে থাকি। + বিভাগ তৈরি করুন + গ্লুকোসিওতে কিছু ডিফল্ট বিষয়শ্রেণী থাকে আপনার গ্লুকোজ ইনপুট দেওয়ার জন্য তবে আপনি নিজেও আপনার সাথে মিল রেখে সেটিং থেকে নিজস্ব বিষয়শ্রেণী তৈরি করতে পারেন। + এখানে প্রায়ই পরীক্ষা করুন + গ্লুকোসিও সহযোগী নিয়মিত পরামর্শ প্রদান করে এবং প্রতিনিয়ত নিজেকে আরও ভালো করছে, তাই আপনার গ্লুকোসিও অভিজ্ঞতাকে আরও ভালো করতে এবং অন্যান্য আরও উপকারী পরামর্শ পেতে নিয়মিত এখানে দেখুন এবং কি করতে হবে জানুন। + ফিডব্যাক জমা করুন + যেকোন কারিগরি সমস্যায় বা যদি গ্লুকোসিও সম্পর্কে কোন ফিডব্যাক থাকে তাহলে গ্লুকোসিওকে আরও ভালো করতে সেটিং মেনু থেকে তা সাবমিট করুন। + পড়া যোগ করুন + অবশ্যই নিয়মিত আপনার গ্লুকোজের মাত্রা যোগ করবেন যেন আমরা আপনাকে আপনার গ্লুকোজের মাত্রা সময়ে সময়ে ট্র্যাক করতে সহযোগীতা করতে পারি। + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + পছন্দের পরিসীমা + স্বনির্ধারিত পরিসীমা + সর্বনিম্ন মান + সর্বোচ্চ মান + এখনই ব্যবহার করে দেখুন + diff --git a/app/src/main/res/android/values-bo-rBT/google-playstore-strings.xml b/app/src/main/res/android/values-bo-rBT/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-bo-rBT/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-bo-rBT/strings.xml b/app/src/main/res/android/values-bo-rBT/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-bo-rBT/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-br-rFR/google-playstore-strings.xml b/app/src/main/res/android/values-br-rFR/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-br-rFR/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-br-rFR/strings.xml b/app/src/main/res/android/values-br-rFR/strings.xml new file mode 100644 index 00000000..9cd2421a --- /dev/null +++ b/app/src/main/res/android/values-br-rFR/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Arventennoù + Send feedback + Alberz + Istorel + Tunioù + Demat. + Demat. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + Ezhomm hon eus traoù bennak a-raok kregiñ. + Country + Oad + Bizskrivit un oad talvoudek mar plij. + Rev + Gwaz + Maouez + All + Diabetoù seurt + Seurt 1 + Seurt 2 + Unanenn muiañ plijet + Rannañ roadennoù dizanv evit an enklask. + Gallout a rit kemmañ an dra-se diwezhatoc\'h. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Ouzhpenn ul Live Gwad Glukoz + Dizourañ + Deiziad + Eur + Muzulet + A-raok dijuniñ + Goude dijuniñ + A-raok merenn + Goude merenn + A-raok pred + Goude pred + General + Recheck + Night + Other + NULLAÑ + OUZHPENN + Please enter a valid value. + Leunit ar maezioù mar plij. + Dilemel + Embann + 1 lenn dilezet + DIZOBER + Gwiriadur diwezhañ: + Feur tremenet ar miz paseet: + en reizh an yec\'hed + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-bs-rBA/google-playstore-strings.xml b/app/src/main/res/android/values-bs-rBA/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-bs-rBA/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-bs-rBA/strings.xml b/app/src/main/res/android/values-bs-rBA/strings.xml new file mode 100644 index 00000000..55c1f2ed --- /dev/null +++ b/app/src/main/res/android/values-bs-rBA/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Postavke + Pošaljite povratnu informaciju + Pregled + Historija + Savjeti + Zdravo. + Zdravo. + Uvjeti korištenja. + Pročitao/la sam i prihvatam uvjete korištenja + Sadržaj Glucosio web stranice i aplikacije, kao što su tekst, grafika, slike i drugi materijali (\"sadržaj\") služe za informisanje. Sadržaj nije namijenjen kao zamjena za profesionalni medicinski savjet, dijagnozu ili liječenje. Preporučujemo Glucosio korisnicima da uvijek traže savjet od svog liječnika ili drugih kvalifikovanih zdravstvenih radnika kada je riječ o njihovom zdravlju. Nikada nemojte zanemariti profesionalni medicinski savjet ili oklijevati u traženju savjeta zbog nečega što ste pročitali na Glucosio web stranici ili našim aplikacijama. Glucosio web stranica, blog, wiki i ostali na webu dostupan sadržaj (\"web stranice\") treba koristiti samo za svrhe za koje je navedeno. \n Oslanjanje na bilo koje informacije koje dostavlja Glucosio, članovi Glucosio tima, volonteri ili druga lica koja se pojavljuju na web stranici ili u našim aplikacijama je isključivo na vlastitu odgovornost. Stranice i sadržaj su omogućeni na osnovi \"Kakav jest\". + Potrebno nam je par brzih stvari prije nego što započnete. + Država + Dob + Molimo unesite valjanu dob. + Spol + Muški + Ženski + Drugo + Tip dijabetesa + Tip 1 + Tip 2 + Preferirana jedinica + Podijeli anonimne podatke zarad istraživanja. + Ove postavke možete promijeniti kasnije. + DALJE + ZAPOČNITE + Nema informacija.\nDodajte svoje prvo očitavanje ovdje. + Dodajte nivo glukoze u krvi + Koncentracija + Datum + Vrijeme + Izmjereno + Prije doručka + Nakon doručka + Prije ručka + Nakon ručka + Prije večere + Nakon večere + Opće + Ponovo provjeri + Noć + Ostalo + OTKAŽI + DODAJ + Molimo da unesete valjanu vrijednost. + Molimo da popunite sva polja. + Obriši + Uredi + 1 čitanje obrisano + PONIŠTI + Zadnja provjera: + Trend u proteklih mjesec dana: + u granicama i zdrav + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + O programu + Verzija + Uvjeti korištenja + Tip + Weight + Zasebna kategorija mjerenja + + Jedite više svježe neprocesirane hrane da biste smanjili unos ugljikohidrata i šećera. + Pročitajte nutritivnu tablicu na ambalaži hrane i pića da biste kontrolisali unos ugljikohidrata i šećera. + Kada jedete vani, tražite ribu ili meso kuhano bez dodatnog putera ili ulja. + Kada jedete vani, tražite jela sa niskim nivoom natrija. + Kada jedete vani, jedite istu porciju kao što biste i kod kuće, ostatke hrane ponesite. + Kada jedete vani tražite niskokaloričnu hranu, poput dresinga za salatu, čak i ako nisu na jelovniku. + Kada jedete vani tražite zamjenu. Umjesto pomfrita tražite duplu porciju povrća poput salate, mahuna ili brokula. + Kada jedete vani, tražite hranu koja nije pohovana ili pržena. + Kada jedete vani tražite soseve, umake i dresinge za salatu \"sa strane.\" + Bez šećera ne znači doslovno bez šećera. To znaći 0,5 grama (g) šećera po porciji, pa se nemojte previše upuštati u hranu bez šećera. + Kretanje ka zdravoj težini pomaže kontrolisanje šećera u krvi. Vaš doktor, dijetetičar ili fitness trener mogu vam pomoći da započnete sa zdravom ishranom. + Provjeravanje vašeg nivoa krvi i praćenje u aplikaciji poput Glucosia dvaput dnevno će vam pomoći da budete svjesni ishoda vaših izbora hrane i načina života. + Uradite A1c nalaz krvi da saznate prosjek vašeg šećera u krvi u zadnja 2 do 3 mjeseca. Vaš doktor bi vam trebao reći koliko često će ovaj test biti potrebno raditi. + Praćenje koliko ugljikohidrata konzumirate može biti podjednako važno kao provjeravanje nivoa u krvi jer ugljikohidrati utiču na nivo glukoze u krvi. Porazgovarajte s vašim doktorom ili dijetetičarom o unosu ugljikohidrata. + Kontrolisanje krvnog pritiska, holesterola i triglicerida je važno jer su dijebetičari podložni oboljenjima srca. + Postoji nekoliko pristupa prehrani da biste jeli zdravije te poboljšali vaše stanje dijabetesa. Tražite savjet dijetetičara šta bi bilo najdjelotvornije za vas i vaš budžet. + Redovna tjelovježba je posebno važna za ljude s dijabetesom jer vam pomaže da održite tjelesnu težinu. Porazgovarajte s vašim doktorom o vježbama koje su prikladne za vas. + Nedostatak sna vas može navesti da jedete više, pogotovo nezdrave hrane i tako negativno uticati na vaše zdravlje. Pobrinite se da se dobro naspavate i konsultujte se sa specijalistom za san ukoliko imate poteškoća. + Stres može imati negativan uticaj na dijabetes te stoga porazgovarajte s vašim doktorom ili drugim stručnim licem o suočavanju sa stresom. + Posjećivanje vašeg doktora jedanput godišnje i redovna komunikacija tokom godine je veoma važna za dijabetičare da bi spriječili iznenadnu pojavu povezanih zdravstvenih problema. + Vaše lijekove uzimajte kako su vam je doktor propisao, a čak i najmanji propust može uticati na nivo glukoze u vašoj krvi i uzrokovati druge nuspojave. Ukoliko imate problema da se sjetite uzeti lijek, obavezno o tome porazgovarajte sa doktorom. + + + Stariji dijabetičari mogu imati veći rizik za druge zdravstvene probleme povezane s dijabetesom. Porazgovarajte s vašim doktorom o tome kako vaša dob utiče na vaš dijabetes. + Ograničite količinu soli koju koristite za pripremanje hrane i koju dodajete u jela nakon što su skuhana. + + Asistent + AŽURIRAJ + OK, HVALA + POŠALJI POVRATNU INFORMACIJU + DODAJ OČITAVANJE + Ažurirajte vašu težinu + Pobrinite se da ažurirate vašu težinu kako bi Glucosio imao najtačnije informacije. + Ažurirajte vaše opt-in istraživanje + Uvijek možete opt-in ili opt-out dijeljenje istraživanja dijabetesa, ali zapamtite da su svi podijeljeni podaci anonimni. Dijelimo samo demografske i trendove nivoa glukoze. + Kreiraj kategorije + Glucosio dolazi sa izvornim kategorijama za unos glukoze ali vi u postavkama možete kreirati zasebne kategorije koje odgovaraju vašim potrebama. + Često provjerite ovdje + Glucosio asistent pruža redovne savjete i nastavit će se unapređivati, stoga često provjerite ovdje za korisne akcije koje možete poduzeti da poboljšanje svog Glucosio doživljaja te druge korisne savjete. + Pošalji povratne informacije + Ukoliko naiđete na tehničke probleme ili imate druge povratne informacije o Glucosiu, molimo vas da ih pošaljete putem menija za postavke kako bismo unaprijedili Glucosio. + Dodaj očitavanje + Pobrinite se da redovno dodajete svoja očitavanja glukoze kako bismo vam pomogli da pratite vaše nivoe glukoze tokom vremena. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-ca-rES/google-playstore-strings.xml b/app/src/main/res/android/values-ca-rES/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-ca-rES/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-ca-rES/strings.xml b/app/src/main/res/android/values-ca-rES/strings.xml new file mode 100644 index 00000000..c35923d9 --- /dev/null +++ b/app/src/main/res/android/values-ca-rES/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Configuració + Envieu comentaris + Informació general + Historial + Consells + Hola. + Hola. + Condicions d\'ús. + He llegit i accepto les condicions d\'ús + Els continguts de l\'aplicació i pàgina web de Glucosio, tal com el text, gràfics, imatges, i altre material (\"Contingut\") són només amb finalitats informatives. El contingut no pretén ser un substitutiu pels consells, diagnòstics o tractaments mèdics professionals. Animem als usuaris de Glucosio a seguir sempre les recomanacions del seu metge o altre assistent sanitari amb qualsevol consulta que puguin tenir relacionada amb la seva condició mèdica. Mai s\'han de desatendre o retardar les recomanacions mèdiques per haver llegit alguna cosa a la pàgina web de Glucosio a a les nostres aplicacions. El lloc web, blog i wiki de Glucosio i altre contingut accessible des del navegador (\"Lloc web\") s\'hauria d\'utilitzar únicament amb la finalitat descrita anteriorment.\n La confiança dipositada en qualsevol informació proporcionada per Glucosio, els membres de l\'equip de Glucosio, voluntaris i altres que apareixen al lloc web o a les nostres aplicacions queda baix el seu propi risc. El lloc i el contingut es proporcionen sobre una base \"tal qual\". + Només necessitem unes quantes coses abans de començar. + País + Edat + Si us plau, introdueix una data vàlida. + Gènere + Home + Dona + Altre + Tipus de diabetis + Tipus 1 + Tipus 2 + Unitat preferida + Compartiu dades anònimes per a la recerca. + Podeu canviar-ho més tard a les preferències. + SEGÜENT + COMENÇA + Encara no hi ha informació disponible.\n Afegiu aquí la vostra primera lectura. + Afegeix nivell de glucosa a la sang + Concentració + Data + Hora + Mesurat + Abans de l\'esmorzar + Després de l\'esmorzar + Abans del dinar + Després del dinar + Abans del sopar + Després del sopar + General + Torna a comprovar + Nocturn + Altre + CANCEL·LA + AFEGEIX + Si us plau, introduïu un valor vàlid. + Si us plau, empleneu tots els camps. + Suprimeix + Edita + S\'ha suprimit 1 lectura + DESFÉS + Darrera verificació: + Tendència del més passat: + dins el rang i saludable + Mes + Dia + Setmana + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + En quant a + Versió + Condicions d\'ús + Tipus + Pes + Categoria de mesura personalitzada + + Mengeu més aliments frescos i sense processar per ajudar a reduir la ingesta de carbohidrats i sucre. + Llegiu l\'etiqueta nutricional a les begudes i aliments envasats per a controlar la ingesta de sucre i carbohidrats. + En sortir a menjar, demaneu per carn o peix cuinada sense oli o mantega extra. + En sortir a menjar, demaneu si tenen plats baixos en sodi. + En sortir a menjar, mengeu porcions semblants a les que prendríeu a casa i demaneu les sobres per emportar. + En sortir a menjar, demaneu per elements baixos en calories com el guarniment per a amanides, fins i tot si no estan al menú. + En sortir a menjar, demaneu per substitucions. Enlloc de patates fregides, demaneu una comanda adicional de vegetals com amanida, mongetes verdes o bròquil. + En sortir a menjar, comaneu aliments que no siguin arrebossats o fregits. + En sortir a menjar, demaneu que us serveixin per separat les salses i guarnicions. + Sense sucre no significa realment sense sucre. Significa 0,5 grams (g) de sucre per ració, així que aneu amb compte de no comptar massa amb els elements sense sucre. + Avançar cap a un pes saludable ajuda a controlar els nivell de sucre. El vostre doctor, nutricionista o entrenador pot ajudar-vos en un pla que funcioni per a vosaltres. + Comprovar el vostre nivell de sang i fer-ne el seguiment amb una aplicació com Glucosio dues vegades diàries us ajudarà a tenir en compte els resultats de les eleccions de menjar i de l\'estil de vida. + Aconseguiu anàlisi de sang del tipus A1c per esbrinar la vostra mitja de sucre a la sang pels darrers 2 a 3 mesos. El vostre doctor us hauria d\'informar sobre la freqüència en que aquests anàlisi s\'han de realitzar. + Fer el seguiment de la quantitat de carbohidrats que consumiu pot ser tan important com comprovar els nivells de sang, ja que els carbohidrats influeixen sobre els nivells de glucosa. Xerreu amb els vostre doctor o nutricionista sobre la ingesta de carbohidrats. + És important controlar la pressió de la sang, el colesterol i el nivell de triglicèrids ja que els diabètics tenen tendència a malalties cardíaques. + Podeu avaluar diferents enfocaments cap a la vostra dieta per menjar més sa i ajudar a millorar els resultats de la diabetis. Demaneu consell al vostre nutricionista sobre el que pot anar millor per a vosaltres i el vostre pressupost. + Treballar en fer exercici regularment és especialment important amb la gent amb diabetis i pot ajudar a mantenir un pes saludable. Xerreu amb el vostre doctor sobre les exercicis que són apropiats per a vosaltres. + La falta de son us pot fer menjar més, especialment menjar escombraria i el resultat pot impactar negativament a la vostra salut. Assegurau-vos de dormir bé i consulteu un especialista de la son si teniu dificultats. + L\'estrès pot impactar negativament en la diabetis, xerreu amb el vostre doctor o especialista sobre fer front a l\'estrès. + Visitar el vostre doctor anualment i tenir una comunicació habitual durant l\'any és important per prevenir cap canvi sobtat en la salut dels diabètics. + Preneu els vostres medicaments seguint la prescripció del vostre doctor, fins i tot petits lapses poden afectar al vostre nivell de glucosa a la sang i causar altres efectes secundaris. Si teniu dificultats de memòria demaneu al vostre doctor per gestió de medicació i opcions de recordatoris. + + + Els diabètics grans poden tenir un risc major de problemes de salut associats amb la diabetis. Consulteu amb el vostre doctor sobre l\'efecte de l\'edat en la vostra diabetis i quines coses s\'han de tenir en compte. + Limiteu la quantitat de sal que utilitzeu per cuinar i la que afegiu a aliments ja cuinats. + + Assistent + ACTUALITZA ARA + D\'ACORD, HO ENTENC + ENVIA COMENTARIS + AFEGEIX LECTURA + Actualitzeu el vostre pes + Assegureu-vos d\'actualitzar el vostre pes per tal que Glucosio disposi de l\'informació més precisa. + Opció d\'actualització de la recerca + Sempre podeu triar entre optar o no per la compartició de la recerca de la diabetis, però recordeu que totes les dades es comparteixen de manera completament anònima. Només es comparteix la demografia i les tendències de nivell de glucosa. + Crea categories + El Glucosio ve amb categories predeterminades per entrada de glucosa però podeu crear categories personalitzades dins la configuració per ajustar-ho a les vostres necessitats particulars. + Comprova sovint aquí + L\'assistent de Glucosio proporciona consells regulars i continuarà millorant, així que comproveu sempre aquí els passos que podeu prendre per millorar l\'experiència de Glucosio i altres consells útils. + Envia comentari + Si trobeu incidències tècniques o teniu comentaris sobre Glucosio us animem a enviar-ho des del menú de configuració per tal d\'ajudar-nos a millorar Glucosio. + Afegeix una lectura + Assegureu-vos d\'afegir regularment les vostres lectures de glucosa per tal que puguem ajudar-vos a fer un seguiment dels vostres nivells de glucosa al llarg del temps. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Rang preferit + Rang personalitzat + Valor mínim + Valor màxim + PROVEU-HO ARA + diff --git a/app/src/main/res/android/values-ce-rCE/google-playstore-strings.xml b/app/src/main/res/android/values-ce-rCE/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-ce-rCE/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-ce-rCE/strings.xml b/app/src/main/res/android/values-ce-rCE/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-ce-rCE/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-ceb-rPH/google-playstore-strings.xml b/app/src/main/res/android/values-ceb-rPH/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-ceb-rPH/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-ceb-rPH/strings.xml b/app/src/main/res/android/values-ceb-rPH/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-ceb-rPH/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-ch-rGU/google-playstore-strings.xml b/app/src/main/res/android/values-ch-rGU/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-ch-rGU/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-ch-rGU/strings.xml b/app/src/main/res/android/values-ch-rGU/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-ch-rGU/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-chr-rUS/google-playstore-strings.xml b/app/src/main/res/android/values-chr-rUS/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-chr-rUS/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-chr-rUS/strings.xml b/app/src/main/res/android/values-chr-rUS/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-chr-rUS/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-ckb-rIR/google-playstore-strings.xml b/app/src/main/res/android/values-ckb-rIR/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-ckb-rIR/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-ckb-rIR/strings.xml b/app/src/main/res/android/values-ckb-rIR/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-ckb-rIR/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-co-rFR/google-playstore-strings.xml b/app/src/main/res/android/values-co-rFR/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-co-rFR/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-co-rFR/strings.xml b/app/src/main/res/android/values-co-rFR/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-co-rFR/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-cr-rNT/google-playstore-strings.xml b/app/src/main/res/android/values-cr-rNT/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-cr-rNT/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-cr-rNT/strings.xml b/app/src/main/res/android/values-cr-rNT/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-cr-rNT/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-crs-rSC/google-playstore-strings.xml b/app/src/main/res/android/values-crs-rSC/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-crs-rSC/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-crs-rSC/strings.xml b/app/src/main/res/android/values-crs-rSC/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-crs-rSC/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-cs-rCZ/google-playstore-strings.xml b/app/src/main/res/android/values-cs-rCZ/google-playstore-strings.xml new file mode 100644 index 00000000..46c1539a --- /dev/null +++ b/app/src/main/res/android/values-cs-rCZ/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Jakékoliv chyby, problémy nebo požadavky nám oznamujte na: + https://github.com/glucosio/android + Další informace: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-cs-rCZ/strings.xml b/app/src/main/res/android/values-cs-rCZ/strings.xml new file mode 100644 index 00000000..e1095a5e --- /dev/null +++ b/app/src/main/res/android/values-cs-rCZ/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Možnosti + Odeslat zpětnou vazbu + Přehled + Historie + Tipy + Ahoj. + Ahoj. + Podmínky užívání. + Přečetl jsem si a souhlasím s výše uvedenými Podmínkami užívání + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + Ještě než začneme, chtěli bychom vědět pár věcí. + Země + Věk + Zadejte, prosím, platný věk. + Pohlaví + Muž + Žena + Jiné + Typ cukrovky + Typ 1 + Typ 2 + Preferovaná jednotka + Sdílet anonymní data pro výzkum. + Tato nastavení můžete později změnit v kartě nastavení. + DALŠÍ + ZAČÍNÁME + Zatím nejsou k dispozici žádné informace. \n Přidejte zde váš první záznam. + Přidat hladinu glukózy v krvi + Koncentrace + Datum + Čas + Naměřeno + Před snídaní + Po snídani + Před obědem + Po obědě + Před večeří + Po večeři + Obecné + Znovu zkontrolovat + Noc + Ostatní + ZRUŠIT + PŘIDAT + Prosím, zadejte platnou hodnotu. + Vyplňte, prosím, všechna pole. + Odstranit + Upravit + odstraněn 1 záznam + ZPĚT + Poslední kontrola: + Trend za poslední měsíc: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + O programu + Verze + Podmínky užívání + Typ + Váha + Vlastní kategorie měření + + Jezte více čerstvých, nezpracovaných potravin, pomůžete tak snížit příjem sacharidů a cukrů. + Přečtěte nutriční hodnoty na balených potravinách a nápojích pro kontrolu příjmu sacharidů a cukrů. + Při stravování mimo domov žádejte o ryby nebo maso pečené bez přidaného másla nebo oleje. + Při stravování mimo domov se zeptejte, zda podávají jídla s nízkým obsahem sodíku. + Při stravování mimo domov jezte stejně velké porce, jako byste jedli doma, zbytky si vezměte s sebou. + Při stravování mimo domov požádejte o nízkokalorická jídla, například salátové dresinky, i v případě, že nejsou v nabídce. + Při stravování mimo domov žádejte o náhrady. Místo hranolků požádejte dvojitou porci zeleniny, jako je salát, zelené fazolky nebo brokolice. + Při stravování mimo domov si objednávejte jídla, která nejsou obalovaná nebo smažená. + Při stravování mimo domov požádejte o omáčky a salátové dresinky \"bokem.\" + \"Bez cukru\" opravdu neznamená bez cukru. To znamená 0,5 gramů (g) cukru na jednu porci, dejte si tedy pozor, abyste nekonzumovali tolik jídel \"bez cukru\". + Zdravá tělesná váha pomáhá držet krevní cukr pod kontrolou. Váš lékař, dietolog nebo fitness trenér vám může pomoci vytvořit plán, který vám s udržením nebo snížením tělesné váhy pomůže. + Kontrola a sledování hladiny krevního tlaku dvakrát denně v aplikaci jako je Glucosio vám pomůže znát výsledky z volby stravování a životního stylu. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Kontroly krevního tlaku, hladiny cholesterolu a hladiny triglyceridů, jsou důležité, neboť diabetici jsou náchylní k srdečním onemocněním. + Existuje několik typů diet, které můžete zvolit proto, abyste jedli zdravě a zároveň zlepšili výsledky cukrovky. Vyhledejte dietologa pro radu o nejvhodnější dietě pro vás a váš rozpočet. + Pravidelné cvičení je důležité zejména pro lidi trpící cukrovkou a může pomoci udržet si zdravou váhu. Poraďte se se svým lékařem o tom, která cvičení pro vás mohou být vhodná. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stres může mít na cukrovku negativní dopad, zvládání stresu můžete konzultovat s Vaším lékařem nebo jiným specialistou. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Starší diabetici mohou být více náchylní k onemocněním spojeným s cukrovkou. Konzultujte s vaším doktorem, jak velkou hraje váš věk roli s cukrovkou a na co si dát pozor. + Omezte množství soli, kterou používáte při vaření, a kterou přidáváte do jídel poté, co se jídla uvařila. + + Asistent + AKTUALIZOVAT NYNÍ + OK, ROZUMÍM + ODESLAT ZPĚTNOU VAZBU + PŘIDAT MĚŘENÍ + Aktualizujte vaši hmotnost + Ujistěte se, aby byla vaše váha vždy aktuální tak, aby mělo Glucosio co nejpřesnější informace. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Vytvořit kategorie + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Kontrolujte často + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Odeslat zpětnou vazbu + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Přidat měření + Ujistěte se, aby jste pravidelně přidávali hodnoty hladiny glykémie tak, abychom vám mohli pomoci průběžně sledovat hladiny glukózy. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Upřednostňovaný rozsah + Vlastní rozsah + Minimální hodnota + Nejvyšší hodnota + TRY IT NOW + diff --git a/app/src/main/res/android/values-csb-rPL/google-playstore-strings.xml b/app/src/main/res/android/values-csb-rPL/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-csb-rPL/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-csb-rPL/strings.xml b/app/src/main/res/android/values-csb-rPL/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-csb-rPL/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-cv-rCU/google-playstore-strings.xml b/app/src/main/res/android/values-cv-rCU/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-cv-rCU/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-cv-rCU/strings.xml b/app/src/main/res/android/values-cv-rCU/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-cv-rCU/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-cy-rGB/google-playstore-strings.xml b/app/src/main/res/android/values-cy-rGB/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-cy-rGB/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-cy-rGB/strings.xml b/app/src/main/res/android/values-cy-rGB/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-cy-rGB/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-da-rDK/google-playstore-strings.xml b/app/src/main/res/android/values-da-rDK/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-da-rDK/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-da-rDK/strings.xml b/app/src/main/res/android/values-da-rDK/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-da-rDK/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-de-rDE/google-playstore-strings.xml b/app/src/main/res/android/values-de-rDE/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-de-rDE/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-de-rDE/strings.xml b/app/src/main/res/android/values-de-rDE/strings.xml new file mode 100644 index 00000000..a24053ae --- /dev/null +++ b/app/src/main/res/android/values-de-rDE/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Einstellungen + Send feedback + Übersicht + Verlauf + Tipps + Hallo. + Hallo. + Nutzungsbedingungen. + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + Wir brauchen nur noch einige Dinge bevor Sie loslegen können. + Land + Alter + Bitte geben Sie ein gültiges Alter ein. + Geschlecht + Männlich + Weiblich + Sonstiges + Diabetes Typ + Typ 1 + Typ 2 + Bevorzugte Einheit + Anonyme Daten für die Forschung teilen. + Sie können dies später in den Einstellungen ändern. + NÄCHSTE + LOSLEGEN + No info available yet. \n Add your first reading here. + Blutzuckerspiegel hinzufügen + Konzentration + Datum + Zeit + Gemessen + Vor dem Frühstück + Nach dem Frühstück + Vor dem Mittagessen + Nach dem Mittagessen + Vor dem Abendessen + Nach dem Abendessen + Allgemein + Recheck + Nacht + Other + ABBRECHEN + HINZUFÜGEN + Please enter a valid value. + Bitte alle Felder ausfüllen. + Löschen + Bearbeiten + 1 Messwert gelöscht + RÜCKGÄNGIG + Zuletzt geprüft: + Trend in letzten Monat: + im normalen Bereich und gesund + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + Über + Version + Nutzungsbedingungen + Typ + Weight + Custom measurement category + + Essen Sie mehr frische, unverarbeitete Lebensmittel um Aufnahme von Kohlenhydraten und Zucker zu reduzieren. + Lesen Sie das ernährungsphysiologische Etikett auf verpackten Lebensmitteln und Getränken, um Zucker- und Kohlenhydrataufnahme zu kontrollieren. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-dsb-rDE/google-playstore-strings.xml b/app/src/main/res/android/values-dsb-rDE/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-dsb-rDE/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-dsb-rDE/strings.xml b/app/src/main/res/android/values-dsb-rDE/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-dsb-rDE/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-dv-rMV/google-playstore-strings.xml b/app/src/main/res/android/values-dv-rMV/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-dv-rMV/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-dv-rMV/strings.xml b/app/src/main/res/android/values-dv-rMV/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-dv-rMV/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-dz-rBT/google-playstore-strings.xml b/app/src/main/res/android/values-dz-rBT/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-dz-rBT/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-dz-rBT/strings.xml b/app/src/main/res/android/values-dz-rBT/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-dz-rBT/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-ee-rGH/google-playstore-strings.xml b/app/src/main/res/android/values-ee-rGH/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-ee-rGH/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-ee-rGH/strings.xml b/app/src/main/res/android/values-ee-rGH/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-ee-rGH/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-el-rGR/google-playstore-strings.xml b/app/src/main/res/android/values-el-rGR/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-el-rGR/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-el-rGR/strings.xml b/app/src/main/res/android/values-el-rGR/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-el-rGR/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-en-rGB/google-playstore-strings.xml b/app/src/main/res/android/values-en-rGB/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-en-rGB/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-en-rGB/strings.xml b/app/src/main/res/android/values-en-rGB/strings.xml new file mode 100644 index 00000000..6147218d --- /dev/null +++ b/app/src/main/res/android/values-en-rGB/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use. + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat grilled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers in a doggy bag. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of chips, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-en-rUS/google-playstore-strings.xml b/app/src/main/res/android/values-en-rUS/google-playstore-strings.xml new file mode 100644 index 00000000..f16c1cfc --- /dev/null +++ b/app/src/main/res/android/values-en-rUS/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose tends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-en-rUS/strings.xml b/app/src/main/res/android/values-en-rUS/strings.xml new file mode 100644 index 00000000..bb050868 --- /dev/null +++ b/app/src/main/res/android/values-en-rUS/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-eo-rUY/google-playstore-strings.xml b/app/src/main/res/android/values-eo-rUY/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-eo-rUY/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-eo-rUY/strings.xml b/app/src/main/res/android/values-eo-rUY/strings.xml new file mode 100644 index 00000000..7e79c13b --- /dev/null +++ b/app/src/main/res/android/values-eo-rUY/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Agordoj + Sendi rimarkon + Superrigardo + Historio + Konsiletoj + Saluton. + Saluton. + Kondiĉoj de uzado. + Mi legis kaj konsentas la kondiĉoj de uzado + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Lando + Aĝo + Please enter a valid age. + Sekso + Vira + Ina + Alia + Diabettipo + Tipo 1 + Tipo 2 + Preferata unuo + Share anonymous data for research. + You can change these in settings later. + SEKVA + KOMENCIĜI + No info available yet. \n Add your first reading here. + Aldoni sangoglukozonivelon + Koncentriteco + Dato + Tempo + Mezurita + Antaŭ matenmanĝo + Post matenmanĝo + Antaŭ tagmanĝo + Post tagmanĝo + Antaŭ vespermanĝo + Post vespermanĝo + Ĝenerala + Rekontroli + Nokto + Alia + NULIGI + ALDONI + Please enter a valid value. + Please fill all the fields. + Forigi + Redakti + 1 legado forigita + MALFARI + Lasta kontrolo: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + Pri + Versio + Kondiĉoj de uzado + Tipo + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Asistanto + ĜISDATIGI NUN + OK, GOT IT + Sendi rimarkon + ALDONI LEGADON + Ĝisdatigi vian pezon + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Krei kategoriojn + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Sendi rimarkon + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Aldoni legadon + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-es-rES/google-playstore-strings.xml b/app/src/main/res/android/values-es-rES/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-es-rES/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-es-rES/strings.xml b/app/src/main/res/android/values-es-rES/strings.xml new file mode 100644 index 00000000..e582d604 --- /dev/null +++ b/app/src/main/res/android/values-es-rES/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Configuración + Enviar comentarios + Información general + Historial + Consejos + Hola. + Hola. + Términos de Uso. + He leído y acepto los términos de uso + El contenido de la página web de Glucosio y sus aplicaciones, tales como el texto, los gráficos, las imágenes y otros materiales (\"contenido\"), son sólo para los fines informativos. El contenido no intenta ser un sustituto de los consejos, diagnósticos o tratamientos de los médicos profesionales. Animamos a los usuarios de Glucosio a que siempre busquen el asesoramiento de un médico u otro proveedor de salud calificado con cualquier pregunta que puedan tener sobre una condición médica. Nunca ignore los consejos médicos profesionales o retrasa en buscar el consejo debido a algo que ha leído en la Página Web de Glucosio o en nuestras aplicaciones. La Página Web, el Blog, el Wiki y otro contenido accesible por el navegador web (los sitios web) de Glucosio, deben ser utilizados únicamente para el propósito descrito. \n Confianza en cualquier información proporcionada por Glucosio, miembros del equipo de Glucosio, voluntarios u otros que aparecen en el sitio web o en nuestras aplicaciones es exclusivamente bajo su propio riesgo. El Sitio y el Contenido se proporcionan sobre una base \"tal cual\". + Solo necesitamos un par de cosas antes comenzar. + País + Edad + Por favor ingresa una edad válida. + Sexo + Masculino + Femenino + Otro + Tipo de diabetes + Tipo 1 + Tipo 2 + Unidad preferida + Comparte los datos de manera anónima para la investigación. + Puedes cambiar la configuración más tarde. + SIGUIENTE + EMPEZAR + No hay información disponible todavía. \n Añadir tu primera lectura aquí. + Añade el nivel de glucosa en la sangre + Concentración + Fecha + Hora + Medido + Antes del desayuno + Después del desayuno + Antes de la comida + Después de la comida + Antes de la cena + Después de la cena + Ajustes generales + Vuelva a revisar + Noche + Información adicional + Cancelar + Añadir + Por favor, ingrese un valor válido. + Por favor, rellena todos los campos. + Eliminar + Editar + 1 lectura eliminada + Deshacer + Última revisión: + Tendencia en el último mes: + en el rango y saludable + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + Sobre la aplicación + Versión + Condiciones de uso + Tipo + Weight + Custom measurement category + + Comer más alimentos frescos y no transformados para ayudar a reducir el consumo de carbohidratos y azúcar. + Lea las etiquetas nutricionales en los alimentos envasados y las bebidas para controlar el consumo de azúcar y carbohidratos. + Cuando coma fuera, pida pescado o carne a la parilla sin mantequilla ni aceite agregado. + Cuando coma fuera, pregunte si se ofrecen platos bajos en sodio. + Cuando coma fuera, coma porciones del mismo tamaño que se acostumbra comer en casa y llévese las sobras consigo. + Cuando coma fuera, pida comidas bajas en calorías, como los aderezos para ensaladas, aun si no salen en el menú. + Cuando coma fuera, pida sustituciones. En lugar de papas fritas, pida una orden doble de una verdura como la ensalada, las judías verdes o el brócoli. + Cuando coma fuera, pida comidas que no sean apanadas ni fritas. + Cuando coma fuera de casa, pida salsas y aderezos \"al lado.\" + Sin azúcar no realmente significa sin azúcar. Significa 0,5 gramos (g) de azúcar por porción, así que tenga cuidado para no comer demasiados artículos sin azucar. + Moverse hacia un peso saludable ayuda a control azúcar en la sangre. Su médico, una nutricionista y un entrenador físico pueden ayudarle a empezar en un plan que funcione para usted. + La verificación del nivel de sangre y el seguimiento del nivel en una aplicación como Glucosio dos veces al día le ayudará a ser consciente de los resultados de las opciones de comida y estilo de vida. + Obtenga un análisis de sangre A1c para averiguar su nivel de azúcar promedio durante los últimos 2 a 3 meses. Su médico debe decirle con qué frecuencia esta prueba será necesaria hacer. + Seguimiento de la cantidad de carbohidratos que consume puede ser tan importante como comprobar los niveles de sangre ya que los carbohidratos influyen los niveles de glucosa. Hable con su médico o dietista sobre el consumo de carbohidratos. + Controlar la presión arterial, el colesterol y los niveles de triglicéridos es importante porque los diabéticos son susceptibles a la enfermedad cardíaca. + Existen varios enfoques dietéticos que usted puede tomar para comer más sano y mejorar los resultados de su diabetes. Busque consejos de un dietista sobre lo que funcionaría mejor para usted y su presupuesto. + Es especialmente importante para los con diabetes que se esfuercen por hacer ejercicio regularmente, lo que puede ayudarles a mantener un peso saludable. Hable con su doctor para ver cuales ejercicios son adecuados para usted. + La privación de sueño puede llevarse a comer más comida chatarra, y como resultado, puede impactar su salud negativamente. Asegúrese de dormir bien y consulte a un especialista del sueño si le dificulta dormir. + El estrés puede tener un impacto negativo en los con diabetes. Hable con su doctor u otro profesional de salud de cómo manejar el estrés. + El visitar su doctor una vez al año y tener una comunicación durante el año entero es importante para los diabéticos para prevenir cualquier comienzo repentino de problemas de salud asociados. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limite la cantidad de sal que usa para cocinar y para salar las comidas después de cocinarlas. + + Asistente + ACTUALIZAR AHORA + OK, LO CONSIGUIÓ + SUBMIT FEEDBACK + ADD READING + Actualizar su peso + Asegúrese de actualizar su peso para que Glucosio tenga la información más precisa. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Crear categorías + Glucosio tiene categorías predeterminadas para la entrada de glucosa, pero puede crear categorías personalizadas en la configuración para que coincida con sus necesidades particulares. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Asegúrese de añadir regularmente sus lecturas de glucosa para que podamos ayudarle a seguir sus niveles de glucosa a lo largo del tiempo. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-es-rMX/google-playstore-strings.xml b/app/src/main/res/android/values-es-rMX/google-playstore-strings.xml new file mode 100644 index 00000000..ff0936d8 --- /dev/null +++ b/app/src/main/res/android/values-es-rMX/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio es un app gratis y fuente libre para personas diabeticas + Usando los Glucosio, usted puede entrar y seguir niveles de glucosa en su sangre, y al mismo tiempo, anónimamente apoyar investigación de la diabetes, contribuyendo las tendencias demográficas y anónimos de la glucosa, ¡ y recibirá consejos a través de nuestro asistente. Glucosio respeta su privacidad y siempre estás en control de sus datos. + * Centrado en el usuario. Aplicaciones de los Glucosio están construidas con características y un diseño que coincida con las necesidades del usuario y estamos constantemente abiertos a la retroalimentación para mejorarla. + * Fuente Libre. Con las aplicaciones de los Glucosio tiene la libertad para usar, copiar, estudiar y cambiar el código fuente de cualquiera de nuestras aplicaciones y también, si desea, puede contribuir al proyecto de Glucosio. + * Administrar los datos. Glucosio le permite rastrear y gestionar sus datos de diabetes de una interfaz intuitiva y moderna construida con la feedback de los diabéticos. + Apoyar la investigación. Aplicaciones de los Glucosio darán a los usuarios la opción de opt-in compartir información demográfica y datos anónimos de diabetes con los investigadores. + Por favor presentar cualquier errores, problemas o sugerencias en: + https://github.com/glucosio/android + Más detalles: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-es-rMX/strings.xml b/app/src/main/res/android/values-es-rMX/strings.xml new file mode 100644 index 00000000..467b1fb5 --- /dev/null +++ b/app/src/main/res/android/values-es-rMX/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Configuración + Enviar comentarios + Resumen + Historial + Consejos + Hola. + Hola. + Términos de Uso. + He leído y acepto los Términos de Uso + El contenido de la página web de Glucosio y sus aplicaciones, tales como el texto, los gráficos, las imágenes y otros materiales (\"contenido\"), son sólo para los fines informativos. El contenido no intenta ser un sustituto de los consejos, diagnósticos o tratamientos de los médicos profesionales. Animamos a los usuarios de Glucosio a que siempre busquen el asesoramiento de un médico u otro proveedor de salud calificado con cualquier pregunta que puedan tener sobre una condición médica. Nunca ignore los consejos médicos profesionales o retrasa en buscar el consejo debido a algo que ha leído en la Página Web de Glucosio o en nuestras aplicaciones. La Página Web, el Blog, el Wiki y otro contenido accesible por el navegador web (los sitios web) de Glucosio, deben ser utilizados únicamente para el propósito descrito. \n Confianza en cualquier información proporcionada por Glucosio, miembros del equipo de Glucosio, voluntarios u otros que aparecen en el sitio web o en nuestras aplicaciones es exclusivamente bajo su propio riesgo. El Sitio y el Contenido se proporcionan sobre una base \"tal cual\". + Solo necesitamos un par de cosas antes comenzar. + País + Edad + Por favor ingresa una edad válida. + Género + Masculino + Femenino + Otro + Tipo de diabetes + Tipo 1 + Tipo 2 + Unidad preferida + Comparte los datos de manera anónima para la investigación. + Puedes cambiar la configuración más tarde. + SIGUIENTE + EMPEZAR + No hay información disponible todavía. \n Añadir su primera lectura aquí. + Añadir el nivel de glucosa en la sangre + Concentración + Fecha + Hora + Medido + Antes del desayuno + Después del desayuno + Antes del almuerzo + Después del almuerzo + Antes de la cena + Después de la cena + Ajustes generales + Vuelva a verificar + Noche + Otro + CANCELAR + AÑADIR + Por favor, ingrese un valor válido. + Por favor, rellena todos los campos. + Eliminar + Editar + 1 lectura eliminada + DESHACER + Última revisión: + Tendencia en el último mes: + en el rango y saludable + Mes + Día + Semana + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + Sobre la aplicación + Versión + Términos de Uso + Tipo + Peso + Categoría de medida personalizada + + Come más alimentos frescos y sin procesar para ayudar a reducir la ingesta de carbohidratos y azúcar. + Debes de leer la etiqueta nutricional de los alimentos y bebidas envasados para controlar la ingesta diaria de azúcar y carbohidratos. + Cuando comas fuera de casa, pide pescado o carne a la parrilla sin aceite ni mantequilla extra. + Cuando comas fuera de casa, pregunta si tienen platos de bajo contenido de sodio. + Cuando coma fuera, coma porciones del mismo tamaño que acostumbra comer en casa y llévese las sobras consigo. + Cuando coma fuera, pida comidas bajas en calorías, como los aderezos para ensaladas, aun si no salen en el menú. + Cuando coma fuera, pida sustituciones. En lugar de papas fritas, pida una orden doble de una verdura como la ensalada, las judías verdes o el brócoli. + Cuando coma fuera, pida comidas que no sean apanadas ni fritas. + Cuando coma fuera de casa, pida salsas y aderezos \"al lado.\" + Sin azúcar no realmente significa sin azúcar. Significa 0,5 gramos (g) de azúcar por porción, así que tenga cuidado para no comer demasiados artículos sin azucar. + Moverse hacia un peso saludable ayuda a control azúcar en la sangre. Su médico, una nutricionista y un entrenador físico pueden ayudarle a empezar en un plan que funcione para usted. + La verificación del nivel de sangre y el seguimiento del nivel en una aplicación como Glucosio dos veces al día le ayudará a ser consciente de los resultados de las opciones de comida y estilo de vida. + Obtenga un análisis de sangre A1c para averiguar su nivel de azúcar promedio durante los últimos 2 a 3 meses. Su médico debe decirle con qué frecuencia esta prueba será necesaria hacer. + Seguimiento de la cantidad de carbohidratos que consume puede ser tan importante como comprobar los niveles de sangre ya que los carbohidratos influyen los niveles de glucosa. Hable con su médico o dietista sobre el consumo de carbohidratos. + Controlar la presión arterial, el colesterol y los niveles de triglicéridos es importante porque los diabéticos son susceptibles a la enfermedad cardíaca. + Existen varios enfoques dietéticos que usted puede tomar para comer más sanamente y mejorar los resultados de su diabetes. Busque consejos de un dietista sobre lo que funcionaría mejor para usted y su presupuesto. + Es especialmente importante que las personas con diabetes se esfuercen por hacer ejercicio regularmente, lo que puede ayudarles a mantener un peso saludable. Hable con su doctor sobre los ejercicios que serán adecuados para usted. + La privación de sueño puede llevarse a comer más comida chatarra, y como resultado, puede afectar su salud negativamente. Asegúrese de dormir bien y consulte a un especialista del sueño si le dificulta dormir. + El estrés puede tener un impacto negativo en los con diabetes. Hable con su doctor u otro profesional de salud de cómo manejar el estrés. + El visitar a su doctor una vez al año y tener una comunicación durante el año entero es importante para los diabéticos para prevenir cualquier comienzo repentino de problemas de salud asociados. + Tome sus medicamentos según la receta de su médico. Aun los pequeños lapsos en su medicina pueden afectar su nivel de glucosa sanguínea y provocar otros efectos secundarios. Si tiene dificultad para recordar de tomar los medicamentos, pregunte a su médico acerca de la administración de medicamentos y las opciones recordatorios. + + + Los diabéticos mayores pueden estar en mayor riesgo de problemas de salud asociados con la diabetes. Hable con su médico sobre cómo la edad juega un papel en la diabetes y cómo cuidarse. + Limita la cantidad de sal que usas para cocinar y no agregues más a la comida después de haber sido cocinada. + + Asistente + ACTUALIZAR AHORA + OK, LO CONSIGUIÓ + ENVIAR COMENTARIOS + AGREGAR LECTURA + Actualizar su peso + Asegúrese de actualizar su peso para que Glucosio tenga la información más precisa. + Actualizar su investigación opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Crear categorías + Glucosio tiene categorías predeterminadas para la entrada de glucosa, pero puede crear categorías personalizadas en la configuración para que coincida con sus necesidades particulares. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Asegúrese de añadir regularmente sus lecturas de glucosa para que podamos ayudarle a seguir sus niveles de glucosa a lo largo del tiempo. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-es-rVE/google-playstore-strings.xml b/app/src/main/res/android/values-es-rVE/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-es-rVE/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-es-rVE/strings.xml b/app/src/main/res/android/values-es-rVE/strings.xml new file mode 100644 index 00000000..5eacd713 --- /dev/null +++ b/app/src/main/res/android/values-es-rVE/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Ajustes + Enviar comentarios + Resumen + Historial + Consejos + Hola. + Hola. + Términos de Uso. + He leído y acepto los términos de uso + El contenido de la página web de Glucosio y sus aplicaciones, tales como el texto, los gráficos, las imágenes y otros materiales (\"contenido\"), son sólo para los fines informativos. El contenido no intenta ser un sustituto de los consejos, diagnósticos o tratamientos de los médicos profesionales. Animamos a los usuarios de Glucosio a que siempre busquen el asesoramiento de un médico u otro proveedor de salud calificado con cualquier pregunta que puedan tener sobre una condición médica. Nunca ignore los consejos médicos profesionales o retrasa en buscar el consejo debido a algo que ha leído en la Página Web de Glucosio o en nuestras aplicaciones. La Página Web, el Blog, el Wiki y otro contenido accesible por el navegador web (los sitios web) de Glucosio, deben ser utilizados únicamente para el propósito descrito. \n Confianza en cualquier información proporcionada por Glucosio, miembros del equipo de Glucosio, voluntarios u otros que aparecen en el sitio web o en nuestras aplicaciones es exclusivamente bajo su propio riesgo. El Sitio y el Contenido se proporcionan sobre una base \"tal cual\". + Solo necesitamos un par de cosas antes comenzar. + País + Edad + Por favor escribe una edad válida. + Género + Masculino + Femenino + Otro + Tipo de diabetes + Tipo 1 + Tipo 2 + Unidad preferida + Compartir datos anónimos para la investigación. + Puedes cambiar la configuración más tarde. + SIGUIENTE + EMPEZAR + No hay información disponible todavía. \n Añadir tu primera lectura aquí. + Añade el nivel de glucosa en la sangre + Concentración + Fecha + Hora + Medido + Antes del desayuno + Después del desayuno + Antes del almuerzo + Después del almuerzo + Antes de la cena + Después de la cena + Ajustes generales + Vuelva a revisar + Noche + Información adicional + Cancelar + Añadir + Por favor, ingrese un valor válido. + Por favor, rellena todos los campos. + Eliminar + Editar + 1 lectura eliminada + Deshacer + Última revisión: + Tendencia en el último mes: + en el rango y saludable + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + Sobre la aplicación + Versión + Condiciones de uso + Tipo + Weight + Custom measurement category + + Comer más alimentos frescos y no transformados para ayudar a reducir el consumo de carbohidratos y azúcar. + Lea las etiquetas nutricionales en los alimentos envasados y las bebidas para controlar el consumo de azúcar y carbohidratos. + Cuando coma fuera, pida pescado o carne a la parilla sin mantequilla ni aceite agregado. + Cuando coma fuera, pregunte si se ofrecen platos bajos en sodio. + Cuando coma fuera, coma porciones del mismo tamaño que se acostumbra comer en casa y llévese las sobras consigo. + Cuando coma fuera, pida comidas bajas en calorías, como los aderezos para ensaladas, aun si no salen en el menú. + Cuando coma fuera, pida sustituciones. En lugar de papas fritas, pida una orden doble de una verdura como la ensalada, las judías verdes o el brócoli. + Cuando coma fuera, pida comidas que no sean apanadas ni fritas. + Cuando coma fuera de casa, pida salsas y aderezos \"al lado.\" + Sin azúcar no realmente significa sin azúcar. Significa 0,5 gramos (g) de azúcar por porción, así que tenga cuidado para no comer demasiados artículos sin azucar. + Moverse hacia un peso saludable ayuda a control azúcar en la sangre. Su médico, una nutricionista y un entrenador físico pueden ayudarle a empezar en un plan que funcione para usted. + La verificación del nivel de sangre y el seguimiento del nivel en una aplicación como Glucosio dos veces al día le ayudará a ser consciente de los resultados de las opciones de comida y estilo de vida. + Obtenga un análisis de sangre A1c para averiguar su nivel de azúcar promedio durante los últimos 2 a 3 meses. Su médico debe decirle con qué frecuencia esta prueba será necesaria hacer. + Seguimiento de la cantidad de carbohidratos que consume puede ser tan importante como comprobar los niveles de sangre ya que los carbohidratos influyen los niveles de glucosa. Hable con su médico o dietista sobre el consumo de carbohidratos. + Controlar la presión arterial, el colesterol y los niveles de triglicéridos es importante porque los diabéticos son susceptibles a la enfermedad cardíaca. + Existen varios enfoques dietéticos que usted puede tomar para comer más sano y mejorar los resultados de su diabetes. Busque consejos de un dietista sobre lo que funcionaría mejor para usted y su presupuesto. + Es especialmente importante para los con diabetes que se esfuercen por hacer ejercicio regularmente, lo que puede ayudarles a mantener un peso saludable. Hable con su doctor para ver cuales ejercicios son adecuados para usted. + La privación de sueño puede llevarse a comer más comida chatarra, y como resultado, puede impactar su salud negativamente. Asegúrese de dormir bien y consulte a un especialista del sueño si le dificulta dormir. + El estrés puede tener un impacto negativo en los con diabetes. Hable con su doctor u otro profesional de salud de cómo manejar el estrés. + El visitar su doctor una vez al año y tener una comunicación durante el año entero es importante para los diabéticos para prevenir cualquier comienzo repentino de problemas de salud asociados. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limite la cantidad de sal que usa para cocinar y para salar las comidas después de cocinarlas. + + Asistente + ACTUALIZAR AHORA + OK, LO CONSIGUIÓ + SUBMIT FEEDBACK + ADD READING + Actualizar su peso + Asegúrese de actualizar su peso para que Glucosio tenga la información más precisa. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Crear categorías + Glucosio tiene categorías predeterminadas para la entrada de glucosa, pero puede crear categorías personalizadas en la configuración para que coincida con sus necesidades particulares. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Asegúrese de añadir regularmente sus lecturas de glucosa para que podamos ayudarle a seguir sus niveles de glucosa a lo largo del tiempo. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-et-rEE/google-playstore-strings.xml b/app/src/main/res/android/values-et-rEE/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-et-rEE/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-et-rEE/strings.xml b/app/src/main/res/android/values-et-rEE/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-et-rEE/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-eu-rES/google-playstore-strings.xml b/app/src/main/res/android/values-eu-rES/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-eu-rES/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-eu-rES/strings.xml b/app/src/main/res/android/values-eu-rES/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-eu-rES/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-fa-rAF/google-playstore-strings.xml b/app/src/main/res/android/values-fa-rAF/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-fa-rAF/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-fa-rAF/strings.xml b/app/src/main/res/android/values-fa-rAF/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-fa-rAF/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-fa-rIR/google-playstore-strings.xml b/app/src/main/res/android/values-fa-rIR/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-fa-rIR/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-fa-rIR/strings.xml b/app/src/main/res/android/values-fa-rIR/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-fa-rIR/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-ff-rZA/google-playstore-strings.xml b/app/src/main/res/android/values-ff-rZA/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-ff-rZA/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-ff-rZA/strings.xml b/app/src/main/res/android/values-ff-rZA/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-ff-rZA/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-fi-rFI/google-playstore-strings.xml b/app/src/main/res/android/values-fi-rFI/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-fi-rFI/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-fi-rFI/strings.xml b/app/src/main/res/android/values-fi-rFI/strings.xml new file mode 100644 index 00000000..65ba0ab4 --- /dev/null +++ b/app/src/main/res/android/values-fi-rFI/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Asetukset + Anna palautetta + Yhteenveto + Historia + Vinkit + Hei. + Hei. + Käyttöehdot. + Olen lukenut ja hyväksyn käyttöehdot + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + Käydään läpi muutama asia ennen käytön aloittamista. + Maa + Ikä + Anna kelvollinen ikä. + Sukupuoli + Mies + Nainen + Muu + Diabetestyyppi + Tyyppi 1 + Tyyppi 2 + Yksikkö + Jaa tietoja nimettömästi tutkimustarkoituksiin. + Voit muuttaa näitä myöhemmin asetuksista. + SEURAAVA + ALOITA + Tietoa ei ole vielä saatavilla. \n Lisää ensimmäinen lukemasi tähän. + Lisää verensokeritaso + Pitoisuus + Päivä + Aika + Mitattu + Ennen aamiaista + Aamiaisen jälkeen + Ennen lounasta + Lounaan jälkeen + Ennen illallista + Illallisen jälkeen + General + Recheck + Night + Other + PERUUTA + LISÄÄ + Please enter a valid value. + Täytä kaikki kentät. + Poista + Muokkaa + 1 lukema poistettu + KUMOA + Viimeisin tarkistus: + Kehitys viime kuukauden aikana: + rajoissa ja terve + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + Tietoa + Versio + Käyttöehdot + Tyyppi + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + LISÄÄ LUKEMA + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Lisää lukema + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-fil-rPH/google-playstore-strings.xml b/app/src/main/res/android/values-fil-rPH/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-fil-rPH/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-fil-rPH/strings.xml b/app/src/main/res/android/values-fil-rPH/strings.xml new file mode 100644 index 00000000..eaf5f29a --- /dev/null +++ b/app/src/main/res/android/values-fil-rPH/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Mga Setting + Magpadala ng feedback + Overview + Kasaysayan + Mga Tip + Mabuhay. + Mabuhay. + Terms of Use. + Nabasa ko at tinatanggap ang Terms of Use + Ang mga nilalaman ng Glucosio website at apps, lahat ng mga teksto, larawan, imahen at iba pang materyal (\"Content\") ay inilathala para sa impormasyon lamang. Ang mga nasabing nilalaman at hindi maaring gamit sa pangpropesyunal na payong pangmedikal, pagsusuri o kagamutan. Lahat ng gumagamit ng Glucosio ay hinihikayat na magpasuri sa mga doktor o mga tagapayong pangkalusugan sa anumang katanungan hingil sa inyong sakit.\n Walang pananagutan ang Glucosio team, volunteers at mga nilalaman sa aming website sa paggamit ng aming produkto. + Kinakailangan namin ang ilang mga bagay bago tayo makapagsimula. + Bansa + Edad + Paki-enter ang tamang edad. + Kasarian + Lalaki + Babae + Iba + Uri ng diabetes + Type 1 + Type 2 + Nais na unit + Ibahagi ang anonymous data para sa pagsasaliksik. + Maaari mong palitan ang mga settings na ito mamaya. + SUSUNOD + MAGSIMULA + Walang impormasyon na nakatala. \n Magdagdag ng iyong unang reading dito. + Idagdag ang Blood Glucose Level + Konsentrasyon + Petsa + Oras + Sukat + Bago mag-agahan + Pagkatapos ng agahan + Bago magtanghalian + Pagkatapos ng tanghalian + Bago magdinner + Pagkatapos magdinner + Pangkabuuan + Suriin muli + Gabi + Iba pa + KANSELAHIN + IDAGDAG + Mag-enter ng tamang value. + Paki-punan ang lahat ng mga fields. + Burahin + I-edit + Binura ang 1 reading + I-UNDO + Huling pagsusuri: + Trend sa nakalipas na buwan: + nasa tamang sukat at ikaw ay malusog + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + Tungkol sa + Bersyon + Terms of use + Uri + Weight + Custom na kategorya para sa mga sukat + + Kumain ng mga sariwa at hindi processed na mga pagkain para makaiwas sa carbohydrate at asukal. + Basahing mabuti ang nutritional label sa mga packaged food at beverages para makontrol ang lebel ng asukal at carbohydrate sa kinakain. + Kung kakain sa labas, kumain ng isda o nilagang karne na walang mantikilya o mantika. + Kapag kumakain sa labas, kumuha ng mga low sodium na pagkain. + Kung kakain sa labas, siguraduhing ang dami ng iyong kakainin ay katulad lamang ng pagkain mo kung ikaw ay nasa bahay at huwag mag-uuwi ng mga tira. + Kung kakain sa labas, kumuha ng mga pagkaing mababa sa calorie, tulad ng salad dressings, kahit na ang mga ito ay wala sa menu. + Kung kakain sa labas, magtanong ng mga substitutions. Halimbawa, sa halip na kumain ng French Fries, kumuha ng dalawang order ng gulay tulad ng salad, green beans at repolyo. + Kung kakain sa labas, kumuha ng pagkaing hindi breaded or pinirito. + Kung kakain sa labas, humingi ng mga sauce, gravy at salad dressings bilang pang-ulam. + Hindi ibig sabihin na kapag ang isang bagay ay sugar free, wala na itong asukal. Ang ibig nitong sabihin ay mayroon lamang ito na 0.5 grams (g) ng asukal sa bawat serving, kaya mag-ingat at kumain lamang ng tamang pagkain na nagsasabing sila ay sugar free. + Ang pagkakaroon ng tamang timbang at nakatutulong sa pagkontrol ng blood sugar. Alamin ang tamang pamamaraan mula sa inyong doktor. + Ang pagsusuri ng iyong blood level at pagtatala nito sa app na katulad ng Glucosio dalawang beses sa isang araw ay makatutulong para magkaron ng mabuting pagpili sa mga kinakain at pamumuhay. + Magpakuha ng A1c blood test para malaman ang iyong blood sugar average sa nagdaang 2 hanggang 3 buwan. Sasabihin sa iyo ng iyong doktok kung gaano kadalas mo dapat ginawa ang ganitong pagsusuri. + Ang pagtatala kung ilang carbohydrates ang nasa iyong pagkain ay kasing halaga ng pagsusuri ng iyong blood levels, dahil ito ay nakaaapekto sa bawat isa. Kausapin ang iyong manggagamot para sa nararapat ng carbohydrate intake. + Ang pag-control ng iyong blood pressure, cholesterol at triglyceride levels ay mahalaga dahil ang mga diabetiko ay mas malaki ang tsansang magkasakit sa puso. + May iba\'t-ibang pamamaraan sa pagdidiyeta para makatulong na ikaw ay maging malusog at makontrol ang iyong diabetes. Kumunsulta sa isang dietician para malaman kung ano ang pinakamabuting pamamaraan ng pagdidiyeta na pasok sa iyong budget. + Ang palagiang pag-eehersisyo ay mahalaga sa mga diabetiko para mapanatili ang tamang timbang. Kumunsulta sa inyong doktor para malaman ang tamang ehersisyo sa iyo. + Kung kulang ka sa tulog, ito ay magiging sanhi para ikaw ay kumain nang mas marami at kumain ng mga junk foods na hindi maganda sa iyong kalusugan. Siguraduhing may sapat na oras ng tulog sa gabi. Sumangguni sa espesyalista kung kinakailangan. + May malaking epekto ang stress sa mga diabetiko. Kumunsulta sa inyong doktor para malaman kung paano malalabanan ang stress. + Ang pagbisita sa iyong doktor at palagiang kuminikasyon sa kaniya sa loob ng buong taon ay mahalaga para sa mga may diabetes para maiwasan ang paglubha ng iyong sakit. + Palagiang uminom ng gamot base sa payo ng inyong doktor. Ang pagliban sa pag-inom ng gamot ay may malaking epekto sa iyong blood glucose level. Kumunsulta sa inyong doktor para malaman ang pinakaepektibong pamamaraan na hindi mo malilimutang uminom ng gamot sa oras. + + + May epekto ang edad ng isang diabetiko. Kumunsulta sa inyong doktor para malaman kung anu-ano ang dapat gawin ng isang diabetikong may edad na. + Siguraduhing kakaunti lamang ang asin sa pagkaing niluluto o ang paggamit nito habang kumakain. + + Assistant + I-UPDATE NGAYON + OK + I-SUBMIT ANG FEEDBACK + MAGDAGDAG NG READING + I-update ang iyong timbang + Siguraduhing tama ang iyong timbang para makapagbigay ng mas angkop na impormasyon ang Glucosio. + I-update ang iyong research opt-in + Maaari kang hindi mapabilang sa aming diabetes research sharing kung iyong nanaisin. Lahat ng impormasyon na aming nilalagap ay anonymous at hinding-hindi namin ito ipamimigay kanino man. + Gumawa ng mga kategorya + Ang Glucosio ay mga kategoryang kalakip para sa glucose input, ngunit maaari kang gumawa ng sarili mong kategorya kung nanaisin. + Pumunta dito ng madalas + Nagbibigay ang Glucosio assistant ng mga payo kung paano gaganda ang iyong kalusugan at kung paano mo makukuha ang benepisyo ng paggamit ng Glucosio. + I-submit ang feedback + Kung may mga katanungang pangteknikal or may mga puna at suhesyon para sa Glucosio, pumunta sa settings menu. + Magdagdag ng reading + Siguraduhing palaging magdagdag ng iyong glucose readings para ikaw matulungan naming i-track ang iyong glucose levels. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-fj-rFJ/google-playstore-strings.xml b/app/src/main/res/android/values-fj-rFJ/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-fj-rFJ/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-fj-rFJ/strings.xml b/app/src/main/res/android/values-fj-rFJ/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-fj-rFJ/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-fo-rFO/google-playstore-strings.xml b/app/src/main/res/android/values-fo-rFO/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-fo-rFO/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-fo-rFO/strings.xml b/app/src/main/res/android/values-fo-rFO/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-fo-rFO/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-fr-rFR/google-playstore-strings.xml b/app/src/main/res/android/values-fr-rFR/google-playstore-strings.xml new file mode 100644 index 00000000..88a1c51c --- /dev/null +++ b/app/src/main/res/android/values-fr-rFR/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio est une application gratuite et open source centrée sur l\'utilisateur atteints de diabète + En utilisant Glucosio, vous pouvez entrer et suivre la glycémie, anonymement soutenir recherche sur le diabète en contribuant des tendances démographiques et rendues anonymes du glucose et obtenir des conseils utiles par le biais de notre assistant. Glucosio respecte votre vie privée et vous êtes toujours en contrôle de vos données. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. L\'application Glucosio vous donne la liberté d\'utiliser, de copier, d\'étudier et de changer le code source de chacune de nos application et même de contribuer au projet Glucosio. + * Gestion des données. Glucosio vous permet de suivre et de gérer votre diabète de manière intuitive, grâce à une interface moderne construite à l\'aide des retours de diabétiques. + * Supporter la recherche. Glucosio donne à l\'utilisateur la possibilité de partager des données anonymisées à propos du diabète et de sa situation démographique avec les chercheurs. + Veuillez déposer les bogues, problèmes ou demandes de fonctionnalité à : + https://github.com/glucosio/android + En savoir plus: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-fr-rFR/strings.xml b/app/src/main/res/android/values-fr-rFR/strings.xml new file mode 100644 index 00000000..ce1d32f9 --- /dev/null +++ b/app/src/main/res/android/values-fr-rFR/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Réglages + Envoyez vos commentaires + Aperçu + Historique + Astuces + Bonjour. + Bonjour. + Conditions d\'utilisation. + J\'ai lu et accepté les conditions d\'utilisation + Le contenu du site Web Glucosio et applications, tels que textes, graphiques, images et autre matériel (\"contenu\") est à titre informatif seulement. Le contenu ne vise pas à se substituer à un avis médical professionnel, diagnostic ou traitement. Nous encourageons les utilisateurs de Glucosio de toujours demander l\'avis de votre médecin ou un autre fournisseur de santé qualifié pour toute question que vous pourriez avoir concernant un trouble médical. Ne jamais ignorer un avis médical professionnel ou tarder à le chercher parce que vous avez lu sur le site Glucosio ou dans nos applications. Le site Glucosio, Blog, Wiki et autres contenus accessibles du navigateur web (« site Web ») devraient être utilisés qu\'aux fins décrites ci-dessus. \n Reliance sur tout renseignement fourni par Glucosio, membres de l\'équipe Glucosio, bénévoles et autres apparaissant sur le site ou dans nos applications est exclusivement à vos propres risques. Le Site et son contenu sont fournis sur une base \"tel quel\". + Avant de démarrer, nous avons besoin de quelques renseignements. + Pays + Âge + Veuillez saisir un âge valide. + Sexe + Homme + Femme + Autre + Type de diabète + Type 1 + Type 2 + Unité préférée + Partager des données anonymes pour la recherche. + Vous pouvez modifier ces réglages plus tard. + SUIVANT + COMMENCER + Aucune info disponible encore. \n ajouter votre première lecture ici. + Saisir le niveau de glycémie + Concentration + Date + Heure + Mesuré + Avant le petit-déjeuner + Après le petit-déjeuner + Avant le déjeuner + Après le déjeuner + Avant le dîner + Après le dîner + Général + Revérifier + Nuit + Autre + ANNULER + AJOUTER + Merci d\'entrer une valeur valide. + Veuillez saisir tous les champs. + Supprimer + Éditer + 1 enregistrement supprimé + Annuler + Dernière vérification\u00A0: + Tendance sur le dernier mois\u00A0: + dans l\'intervalle normal + Mois + Jour + Semaine + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + A propos + Version + Conditions d\'utilisation + Type + Poids + Catégorie de mesure personnalisée + + Mangez plus d\'aliments frais et non transformés pour faciliter la réduction des apports en glucide et en sucre. + Lisez les informations nutritionnelles présentes sur les emballages des aliments et boissons pour contrôler vos apports en sucre et glucides. + Lors d\'un repas à l\'extérieur, demandez du poisson ou de la viande grillée, sans matières grasses supplémentaires. + Lors d\'un repas à l\'extérieur, demandez si certains plats ont une faible teneur en sel. + Lors d\'un repas à l\'extérieur, mangez la même quantité que ce vous avez l\'habitude de consommer et décidez d\'emporter les restes ou non. + Lors d\'un repas à l\'extérieur, demandez des accompagnements à faible teneur en calories, même si ceux-ci ne sont pas sur le menu. + Lors d\'un repas à l\'extérieur, n\'hésitez pas à demander à échanger des ingrédients. À la place des frites, demandez plutôt une double ration de salade, de haricots ou de brocolis. + Lors d\'un repas à l\'extérieur, commandez des aliments qui ne soient pas fris ou panés. + Lors d\'un repas à l\'extérieur, demandez à ce que les sauces et vinaigrettes soit servies « à côté ». + « Sans sucre » ne signifie pas exactement sans sucre. Cela peut indiquer qu\'il y a 0,5 grammes (g) de sucre par portion. Attention à ne pas consommer trop d\'aliments « sans sucre ». + En vous orientant vers un bon poids pour votre santé aide le contrôle de la glycémie. Votre médecin, un diététicien et un entraîneur peuvent vous aider à démarrer sur un plan qui fonctionnera pour vous. + La vérification de votre niveau de sang et son suivi dans une application comme Glucosio deux fois par jour vous aidera à être au courant des résultats des choix alimentaires et de mode de vie. + Obtenez des tests sanguins A1c pour trouver votre glycémie moyenne pour les 2 à 3 derniers mois. Votre médecin vous donnera la fréquence de l\'effectuation de ces tests. + Surveiller combien de glucides vous consommez peut être aussi important que de surveiller votre niveau de sang, puisque les glucides influent sur le taux de glucose dans le sang. Parlez à votre médecin ou votre diététicien de l\'apport en glucides. + Le contrôle de la pression artérielle, le cholestérol et le taux de triglycérides est important car les diabétiques sont sensibles à des risques cardiaques. + Il y a plusieurs approches de régime alimentaire, que vous pouvez adopter pour manger sainement et en aidant à améliorer les résultats de votre diabète. Demandez conseil à votre diététicien sur ce qui fonctionnera le mieux pour vous et votre budget. + Faire de l\'exercice régulièrement est encore plus important chez les diabétiques et vous aidera à garder un poids sain. Parlez à votre médecin des exercices qui seraient les plus adaptés pour vous. + La privation de sommeil peut vous pousser à manger plus, et plus particulièrement des cochonneries, et peut donc impacter négativement sur votre santé. Assurez-vous d\'avoir une bonne nuit réparatrice et consultez un spécialiste du sommeil si vous éprouvez des difficultés. + Le stress peut avoir un impact négatif sur le diabète, discutez avec votre médecin ou avec d\'autres professionnels de santé pour savoir comment gérer le stress. + Afin de prévenir tout apparition soudaine de problème de santé, quand on est diabétique, il est important de prendre rendez-vous avec son médecin, au moins une fois par an, et d\'échanger avec tout au long de l\'année. + Prenez vos médicaments tels qu\'ils vous ont été prescrits, même les légers écarts peuvent impacter votre glycémie et provoquer d\'autres effets secondaires. Si vous avez des difficultés à mémoriser le rythme et les doses, n\'hésitez pas à demander à votre médecin des outils pour vous aider à créer des rappels. + + + Les personnes diabétiques plus âgées ont un risque plus élevé d\'avoir des problèmes de santé liés au diabète. Discutez avec votre médecin pour connaître le rôle de votre âge dans votre diabète et savoir ce qu\'il faut surveiller. + Limitez la quantité de sel utilisée pour cuisiner et celle ajoutée aux plats après la cuisson. + + Assistant + METTRE A JOUR + OK, COMPRIS + SOUMETTRE UN RETOUR + AJOUTER LECTURE + Mise à jour de votre poids + Assurez-vous de mettre à jour votre poids afin Glucosio contient les informations les plus exactes. + Update your research opt-in + Vous pouvez toujours activer ou désactiver le partage pour la recherche sur le diabète, mais rappelez vous que les données partagées sont entièrement anonyme. Nous partageons seulement les données démographiques et le niveau de glucose. + Créer des catégories + Glucosio comprend des catégories par défaut pour l\'entrée de glucose mais vous pouvez créer des catégories personnalisées dans paramètres pour assortir vos besoins uniques. + Vérifiez souvent + Glucosio assistant fournit des conseils réguliers et va continuer à améliorer, il faut donc toujours vérifier ici pour des actions utiles, que vous pouvez prendre pour améliorer votre expérience de Glucosio et pour d\'autres conseils utiles. + Envoyer un commentaire + Si vous trouvez des problèmes techniques ou avez des commentaires sur Glucosio nous vous encourageons à nous les transmettre dans le menu réglages afin de nous aider à améliorer Glucosio. + Ajouter une lecture + N\'oubliez pas d\'ajouter régulièrement vos lectures de glucose, donc nous pouvons vous aider à suivre votre taux de glucose dans le temps. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Gamme préférée + Gamme personnalisée + Valeur minimum + Valeur maximum + Essayez Maintenant + diff --git a/app/src/main/res/android/values-fr-rQC/google-playstore-strings.xml b/app/src/main/res/android/values-fr-rQC/google-playstore-strings.xml new file mode 100644 index 00000000..88a1c51c --- /dev/null +++ b/app/src/main/res/android/values-fr-rQC/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio est une application gratuite et open source centrée sur l\'utilisateur atteints de diabète + En utilisant Glucosio, vous pouvez entrer et suivre la glycémie, anonymement soutenir recherche sur le diabète en contribuant des tendances démographiques et rendues anonymes du glucose et obtenir des conseils utiles par le biais de notre assistant. Glucosio respecte votre vie privée et vous êtes toujours en contrôle de vos données. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. L\'application Glucosio vous donne la liberté d\'utiliser, de copier, d\'étudier et de changer le code source de chacune de nos application et même de contribuer au projet Glucosio. + * Gestion des données. Glucosio vous permet de suivre et de gérer votre diabète de manière intuitive, grâce à une interface moderne construite à l\'aide des retours de diabétiques. + * Supporter la recherche. Glucosio donne à l\'utilisateur la possibilité de partager des données anonymisées à propos du diabète et de sa situation démographique avec les chercheurs. + Veuillez déposer les bogues, problèmes ou demandes de fonctionnalité à : + https://github.com/glucosio/android + En savoir plus: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-fr-rQC/strings.xml b/app/src/main/res/android/values-fr-rQC/strings.xml new file mode 100644 index 00000000..ce1d32f9 --- /dev/null +++ b/app/src/main/res/android/values-fr-rQC/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Réglages + Envoyez vos commentaires + Aperçu + Historique + Astuces + Bonjour. + Bonjour. + Conditions d\'utilisation. + J\'ai lu et accepté les conditions d\'utilisation + Le contenu du site Web Glucosio et applications, tels que textes, graphiques, images et autre matériel (\"contenu\") est à titre informatif seulement. Le contenu ne vise pas à se substituer à un avis médical professionnel, diagnostic ou traitement. Nous encourageons les utilisateurs de Glucosio de toujours demander l\'avis de votre médecin ou un autre fournisseur de santé qualifié pour toute question que vous pourriez avoir concernant un trouble médical. Ne jamais ignorer un avis médical professionnel ou tarder à le chercher parce que vous avez lu sur le site Glucosio ou dans nos applications. Le site Glucosio, Blog, Wiki et autres contenus accessibles du navigateur web (« site Web ») devraient être utilisés qu\'aux fins décrites ci-dessus. \n Reliance sur tout renseignement fourni par Glucosio, membres de l\'équipe Glucosio, bénévoles et autres apparaissant sur le site ou dans nos applications est exclusivement à vos propres risques. Le Site et son contenu sont fournis sur une base \"tel quel\". + Avant de démarrer, nous avons besoin de quelques renseignements. + Pays + Âge + Veuillez saisir un âge valide. + Sexe + Homme + Femme + Autre + Type de diabète + Type 1 + Type 2 + Unité préférée + Partager des données anonymes pour la recherche. + Vous pouvez modifier ces réglages plus tard. + SUIVANT + COMMENCER + Aucune info disponible encore. \n ajouter votre première lecture ici. + Saisir le niveau de glycémie + Concentration + Date + Heure + Mesuré + Avant le petit-déjeuner + Après le petit-déjeuner + Avant le déjeuner + Après le déjeuner + Avant le dîner + Après le dîner + Général + Revérifier + Nuit + Autre + ANNULER + AJOUTER + Merci d\'entrer une valeur valide. + Veuillez saisir tous les champs. + Supprimer + Éditer + 1 enregistrement supprimé + Annuler + Dernière vérification\u00A0: + Tendance sur le dernier mois\u00A0: + dans l\'intervalle normal + Mois + Jour + Semaine + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + A propos + Version + Conditions d\'utilisation + Type + Poids + Catégorie de mesure personnalisée + + Mangez plus d\'aliments frais et non transformés pour faciliter la réduction des apports en glucide et en sucre. + Lisez les informations nutritionnelles présentes sur les emballages des aliments et boissons pour contrôler vos apports en sucre et glucides. + Lors d\'un repas à l\'extérieur, demandez du poisson ou de la viande grillée, sans matières grasses supplémentaires. + Lors d\'un repas à l\'extérieur, demandez si certains plats ont une faible teneur en sel. + Lors d\'un repas à l\'extérieur, mangez la même quantité que ce vous avez l\'habitude de consommer et décidez d\'emporter les restes ou non. + Lors d\'un repas à l\'extérieur, demandez des accompagnements à faible teneur en calories, même si ceux-ci ne sont pas sur le menu. + Lors d\'un repas à l\'extérieur, n\'hésitez pas à demander à échanger des ingrédients. À la place des frites, demandez plutôt une double ration de salade, de haricots ou de brocolis. + Lors d\'un repas à l\'extérieur, commandez des aliments qui ne soient pas fris ou panés. + Lors d\'un repas à l\'extérieur, demandez à ce que les sauces et vinaigrettes soit servies « à côté ». + « Sans sucre » ne signifie pas exactement sans sucre. Cela peut indiquer qu\'il y a 0,5 grammes (g) de sucre par portion. Attention à ne pas consommer trop d\'aliments « sans sucre ». + En vous orientant vers un bon poids pour votre santé aide le contrôle de la glycémie. Votre médecin, un diététicien et un entraîneur peuvent vous aider à démarrer sur un plan qui fonctionnera pour vous. + La vérification de votre niveau de sang et son suivi dans une application comme Glucosio deux fois par jour vous aidera à être au courant des résultats des choix alimentaires et de mode de vie. + Obtenez des tests sanguins A1c pour trouver votre glycémie moyenne pour les 2 à 3 derniers mois. Votre médecin vous donnera la fréquence de l\'effectuation de ces tests. + Surveiller combien de glucides vous consommez peut être aussi important que de surveiller votre niveau de sang, puisque les glucides influent sur le taux de glucose dans le sang. Parlez à votre médecin ou votre diététicien de l\'apport en glucides. + Le contrôle de la pression artérielle, le cholestérol et le taux de triglycérides est important car les diabétiques sont sensibles à des risques cardiaques. + Il y a plusieurs approches de régime alimentaire, que vous pouvez adopter pour manger sainement et en aidant à améliorer les résultats de votre diabète. Demandez conseil à votre diététicien sur ce qui fonctionnera le mieux pour vous et votre budget. + Faire de l\'exercice régulièrement est encore plus important chez les diabétiques et vous aidera à garder un poids sain. Parlez à votre médecin des exercices qui seraient les plus adaptés pour vous. + La privation de sommeil peut vous pousser à manger plus, et plus particulièrement des cochonneries, et peut donc impacter négativement sur votre santé. Assurez-vous d\'avoir une bonne nuit réparatrice et consultez un spécialiste du sommeil si vous éprouvez des difficultés. + Le stress peut avoir un impact négatif sur le diabète, discutez avec votre médecin ou avec d\'autres professionnels de santé pour savoir comment gérer le stress. + Afin de prévenir tout apparition soudaine de problème de santé, quand on est diabétique, il est important de prendre rendez-vous avec son médecin, au moins une fois par an, et d\'échanger avec tout au long de l\'année. + Prenez vos médicaments tels qu\'ils vous ont été prescrits, même les légers écarts peuvent impacter votre glycémie et provoquer d\'autres effets secondaires. Si vous avez des difficultés à mémoriser le rythme et les doses, n\'hésitez pas à demander à votre médecin des outils pour vous aider à créer des rappels. + + + Les personnes diabétiques plus âgées ont un risque plus élevé d\'avoir des problèmes de santé liés au diabète. Discutez avec votre médecin pour connaître le rôle de votre âge dans votre diabète et savoir ce qu\'il faut surveiller. + Limitez la quantité de sel utilisée pour cuisiner et celle ajoutée aux plats après la cuisson. + + Assistant + METTRE A JOUR + OK, COMPRIS + SOUMETTRE UN RETOUR + AJOUTER LECTURE + Mise à jour de votre poids + Assurez-vous de mettre à jour votre poids afin Glucosio contient les informations les plus exactes. + Update your research opt-in + Vous pouvez toujours activer ou désactiver le partage pour la recherche sur le diabète, mais rappelez vous que les données partagées sont entièrement anonyme. Nous partageons seulement les données démographiques et le niveau de glucose. + Créer des catégories + Glucosio comprend des catégories par défaut pour l\'entrée de glucose mais vous pouvez créer des catégories personnalisées dans paramètres pour assortir vos besoins uniques. + Vérifiez souvent + Glucosio assistant fournit des conseils réguliers et va continuer à améliorer, il faut donc toujours vérifier ici pour des actions utiles, que vous pouvez prendre pour améliorer votre expérience de Glucosio et pour d\'autres conseils utiles. + Envoyer un commentaire + Si vous trouvez des problèmes techniques ou avez des commentaires sur Glucosio nous vous encourageons à nous les transmettre dans le menu réglages afin de nous aider à améliorer Glucosio. + Ajouter une lecture + N\'oubliez pas d\'ajouter régulièrement vos lectures de glucose, donc nous pouvons vous aider à suivre votre taux de glucose dans le temps. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Gamme préférée + Gamme personnalisée + Valeur minimum + Valeur maximum + Essayez Maintenant + diff --git a/app/src/main/res/android/values-fra-rDE/google-playstore-strings.xml b/app/src/main/res/android/values-fra-rDE/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-fra-rDE/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-fra-rDE/strings.xml b/app/src/main/res/android/values-fra-rDE/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-fra-rDE/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-frp-rIT/google-playstore-strings.xml b/app/src/main/res/android/values-frp-rIT/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-frp-rIT/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-frp-rIT/strings.xml b/app/src/main/res/android/values-frp-rIT/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-frp-rIT/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-fur-rIT/google-playstore-strings.xml b/app/src/main/res/android/values-fur-rIT/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-fur-rIT/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-fur-rIT/strings.xml b/app/src/main/res/android/values-fur-rIT/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-fur-rIT/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-fy-rNL/google-playstore-strings.xml b/app/src/main/res/android/values-fy-rNL/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-fy-rNL/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-fy-rNL/strings.xml b/app/src/main/res/android/values-fy-rNL/strings.xml new file mode 100644 index 00000000..c32fef96 --- /dev/null +++ b/app/src/main/res/android/values-fy-rNL/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Ynstellingen + Weromkeppeling ferstjoere + Oersjoch + Skiednis + Tips + Hallo. + Hallo. + Brûksbetingsten. + Ik ha de brûksbetingsten lêzen en akseptearre + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Lân + Aldens + Please enter a valid age. + Geslacht + Man + Frou + Oar + Diabetestype + Type 1 + Type 2 + Foarkarsienheid + Share anonymous data for research. + You can change these in settings later. + FOLGJENDE + OAN DE SLACH + No info available yet. \n Add your first reading here. + Bloedsûkerspegel tafoegje + Konsintraasje + Datum + Tiid + Metten + Foar it moarnsiten + Nei it moarnsiten + Foar it middeisiten + Nei it middeisiten + Foar it jûnsiten + Nei it jûnsiten + Algemien + Opnij kontrolearje + Nacht + Oar + ANNULEARJE + TAFOEGJE + Please enter a valid value. + Please fill all the fields. + Fuortsmite + Bewurkje + 1 útlêzing fuortsmiten + ÛNGEDIEN MEITSJE + Lêste kontrôle: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + Oer + Ferzje + Brûksbetingsten + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistint + NO BYWURKJE + OK, GOT IT + WEROMKEPPELING FERSTJOERE + ÚTLÊZING TAFOEGJE + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Kategoryen meitsje + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Sjoch hjir regelmjittich + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Weromkeppeling ferstjoere + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + In útlêzing tafoegje + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-ga-rIE/google-playstore-strings.xml b/app/src/main/res/android/values-ga-rIE/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-ga-rIE/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-ga-rIE/strings.xml b/app/src/main/res/android/values-ga-rIE/strings.xml new file mode 100644 index 00000000..909f8424 --- /dev/null +++ b/app/src/main/res/android/values-ga-rIE/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Socruithe + Aiseolas + Foramharc + Stair + Leideanna + Dia dhuit. + Dia dhuit. + Téarmaí Úsáide. + Léigh mé na Téarmaí Úsáide agus glacaim leo + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + Cúpla rud beag sula dtosóimid. + Tír + Aois + Cuir aois bhailí isteach. + Inscne + Fireannach + Baineannach + Eile + Cineál diaibéitis + Cineál 1 + Cineál 2 + Do rogha aonaid + Comhroinn sonraí gan ainm le haghaidh taighde. + Is féidir leat iad seo a athrú ar ball sna socruithe. + AR AGHAIDH + TÚS MAITH + Níl aon eolas ar fáil fós. \n Cuir do chéad tomhas anseo. + Tomhais Leibhéal Glúcós Fola + Tiúchan + Dáta + Am + Tomhaiste + Roimh bhricfeasta + Tar éis bricfeasta + Roimh lón + Tar éis lóin + Roimh shuipéar + Tar éis suipéir + Ginearálta + Seiceáil arís + Oíche + Eile + CEALAIGH + OK + Cuir luach bailí isteach. + Líon isteach na réimsí go léir. + Scrios + Eagar + Scriosadh tomhas amháin + CEALAIGH + Tomhas is déanaí: + Treocht le linn na míosa seo caite: + sa raon sláintiúil + + + Seachtain + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + Maidir Leis + Leagan + Téarmaí Úsáide + Cineál + Meáchan + Catagóir saincheaptha + + Ith tuilleadh bia úr neamhphróiseáilte chun ionghabháil carbaihiodráití agus siúcra a laghdú. + Léigh an fhaisnéis bheathaithe ar bhia agus deochanna pacáistithe chun ionghabháil carbaihiodráití agus siúcra a rialú. + I mbialann, ordaigh iasc nó feoil ghríosctha gan im nó ola bhreise. + I mbialann, fiafraigh an bhfuil béilí beagshóidiam acu. + I mbialann, ith an méid céanna bia a d\'íosfá sa mbaile agus tabhair an fuílleach abhaile. + I mbialann, iarr rudaí beagchalraí, mar shampla anlanna sailéid, fiú mura bhfuil siad ar an mbiachlár. + I mbialann, iarr bia sláintiúil in ionad bia mhíshláintiúil, mar shampla glasraí (sailéad, pónairí glasa, nó brocailí) in ionad sceallóga. + I mbialann, seachain bia aránaithe nó friochta. + I mbialann, ordaigh anlann, súlach, nó blastán \"ar an taobh\". + Ní chiallaíonn \"gan siúcra\" nach bhfuil siúcra ann i gcónaí! Ciallaíonn sé níos lú ná 0.5 gram siúcra sa riar, mar sin níor chóir duit an iomarca rudaí \"gan siúcra\" a ithe. + Cabhraíonn meáchan sláintiúil leat siúcraí fola a rialú. Téigh i gcomhairle le do dhochtúir, le bia-eolaí, agus le traenálaí chun plean cailliúna meáchan a leagan amach. + Foghlaim faoin tionchar a imríonn bia agus stíl mhaireachtála ar do shláinte trí do leibhéal glúcós fola a thomhas faoi dhó sa lá i nGlucosio nó in aip eile dá leithéid. + Déan tástáil fola chun teacht ar do mheánleibhéal siúcra fola le 2 nó 3 mhí anuas. Inseoidh do dhochtúir duit cé chomh minic is a bheidh ort an tástáil fola seo a dhéanamh. + Tá sé an-tábhachtach d\'ionghabháil carbaihiodráití a thaifeadadh, chomh tábhachtach le leibhéal glúcós fola, toisc go n-imríonn carbaihiodráití tionchar ar ghlúcós fola. Bíodh comhrá agat le do dhochtúir nó le bia-eolaí maidir le hionghabháil carbaihiodráití. + Tá sé tábhachtach do bhrú fola, leibhéal colaistéaróil agus leibhéil tríghlicríde a srianadh, toisc go bhfuil daoine diaibéiteacha tugtha do ghalar croí. + Tá roinnt réimeanna bia ann a chabhródh leat bia níos sláintiúla a ithe agus dea-thorthaí sláinte a bhaint amach. Téigh i gcomhairle le bia-eolaí chun teacht ar an réiteach is fearr ó thaobh sláinte agus airgid. + Tá sé ríthábhachtach do dhaoine diaibéiteacha aclaíocht rialta a dhéanamh, agus cabhraíonn sé leat meáchan sláintiúil a choinneáil. Bíodh comhrá agat le do dhochtúir faoi réim aclaíochta fheiliúnach. + Nuair a bhíonn easpa codlata ort, itheann tú níos mó, go háirithe mearbhia agus bia beagmhaitheasa, rud a chuireann isteach ar do shláinte. Déan iarracht go leor codlata a fháil, agus téigh i gcomhairle le saineolaí codlata mura bhfuil tú in ann. + Imríonn strus drochthionchar ar dhaoine diaibéiteacha. Bíodh comhrá agat le do dhochtúir nó le gairmí cúram sláinte faoi conas is féidir déileáil le strus. + Tá sé an-tábhachtach cuairt a thabhairt ar do dhochtúir uair amháin sa mbliain agus cumarsáid rialta a dhéanamh leis/léi tríd an mbliain sa chaoi nach mbuailfidh fadhbanna sláinte ort go tobann. + Tóg do chógas leighis go díreach mar a bhí sé leagtha amach ag do dhochtúir. Má ligeann tú do chógas i ndearmad, fiú uair amháin, b\'fhéidir go n-imreodh sé drochthionchar ar do leibhéal glúcós fola. Mura bhfuil tú in ann do chóir leighis a mheabhrú, cuir ceist ar do dhochtúir faoi chóras bainistíochta cógais. + + + Seans go bhfuil baol níos mó ag baint le diaibéiteas i measc daoine níos sine. Bíodh comhrá agat le do dhochtúir faoin tionchar ag aois ar do dhiaibéiteas agus na comharthaí sóirt is tábhachtaí. + Cuir srian leis an méid salainn a úsáideann tú ar bhia le linn cócarála agus tar éis duit é a chócaráil. + + Cúntóir + NUASHONRAIGH ANOIS + TUIGIM + SEOL AISEOLAS + TOMHAS NUA + Nuashonraigh do mheáchan + Ba chóir duit do mheáchan a choinneáil cothrom le dáta sa chaoi go mbeidh an t-eolas is fearr ag Glucosio. + Athraigh an socrú a bhaineann le taighde + Is féidir leat do chuid sonraí a chomhroinnt le taighdeoirí atá ag obair ar dhiaibéiteas, go hiomlán gan ainm, nó comhroinnt a stopadh am ar bith. Ní chomhroinnimid ach faisnéis dhéimeagrafach agus treochtaí leibhéil glúcóis. + Cruthaigh catagóirí + Tagann Glucosio le catagóirí réamhshocraithe le haghaidh ionchurtha glúcóis, ach is féidir leat catagóirí de do chuid féin a chruthú sna socruithe. + Féach anseo go minic + Tugann Cúntóir Glucosio leideanna duit go rialta, agus rachaidh sé i bhfeabhas de réir a chéile. Mar sin, ba chóir duit filleadh anseo anois is arís le gníomhartha agus leideanna úsáideacha a fháil. + Seol aiseolas + Má fheiceann tú aon fhadhb theicniúil, nó más mian leat aiseolas faoi Glucosio a thabhairt dúinn, is féidir é sin a dhéanamh sa roghchlár Socruithe, chun cabhrú linn Glucosio a fheabhsú. + Tomhas nua + Ba chóir duit do leibhéal glúcos fola a thástáil go rialta sa chaoi go mbeidh tú in ann an leibhéal a leanúint thar thréimhse ama. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Raon inmhianaithe + Raon saincheaptha + Íosluach + Uasluach + BAIN TRIAIL AS + diff --git a/app/src/main/res/android/values-gaa-rGH/google-playstore-strings.xml b/app/src/main/res/android/values-gaa-rGH/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-gaa-rGH/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-gaa-rGH/strings.xml b/app/src/main/res/android/values-gaa-rGH/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-gaa-rGH/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-gd-rGB/google-playstore-strings.xml b/app/src/main/res/android/values-gd-rGB/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-gd-rGB/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-gd-rGB/strings.xml b/app/src/main/res/android/values-gd-rGB/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-gd-rGB/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-gl-rES/google-playstore-strings.xml b/app/src/main/res/android/values-gl-rES/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-gl-rES/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-gl-rES/strings.xml b/app/src/main/res/android/values-gl-rES/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-gl-rES/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-gn-rPY/google-playstore-strings.xml b/app/src/main/res/android/values-gn-rPY/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-gn-rPY/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-gn-rPY/strings.xml b/app/src/main/res/android/values-gn-rPY/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-gn-rPY/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-gu-rIN/google-playstore-strings.xml b/app/src/main/res/android/values-gu-rIN/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-gu-rIN/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-gu-rIN/strings.xml b/app/src/main/res/android/values-gu-rIN/strings.xml new file mode 100644 index 00000000..e0b74af4 --- /dev/null +++ b/app/src/main/res/android/values-gu-rIN/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + સેટીંગ્સ + પ્રતિસાદ મોકલો + ઓવરવ્યૂ + ઇતિહાસ + સુજાવ + હેલ્લો. + હેલ્લો. + વપરાશ ની શરતો. + હું વપરાશની શરતો વાંચીને સ્વીકાર કરું છુ + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + દેશ + ઉંમર + કૃપા કરી સાચી ઉમર નાખો. + જાતિ + પુરૂષ + સ્ત્રી + અન્ય + મધુપ્રમેહનો પ્રકાર + પ્રકાર 1 + પ્રકાર 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + કૃપા કરી સાચી માહિતી ભરો. + કૃપા કરી બધી વિગતો ભરો. + રદ કરવું + ફેરફાર કરો + 1 વાંચેલું કાઢ્યું + પહેલા હતી એવી સ્થિતિ + છેલ્લી ચકાસણી: + ગયા મહિના નું સરવૈયું: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + હમમ, સમજાઈ ગયું + પ્રતિક્રિયા મોકલો + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + પ્રતિક્રિયા મોકલો + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-gv-rIM/google-playstore-strings.xml b/app/src/main/res/android/values-gv-rIM/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-gv-rIM/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-gv-rIM/strings.xml b/app/src/main/res/android/values-gv-rIM/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-gv-rIM/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-ha-rHG/google-playstore-strings.xml b/app/src/main/res/android/values-ha-rHG/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-ha-rHG/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-ha-rHG/strings.xml b/app/src/main/res/android/values-ha-rHG/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-ha-rHG/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-haw-rUS/google-playstore-strings.xml b/app/src/main/res/android/values-haw-rUS/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-haw-rUS/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-haw-rUS/strings.xml b/app/src/main/res/android/values-haw-rUS/strings.xml new file mode 100644 index 00000000..7fa326e3 --- /dev/null +++ b/app/src/main/res/android/values-haw-rUS/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Kauna + Hoʻouna i ka manaʻo + Nānā wiki + Mōʻaukala + ʻŌlelo hoʻohani + Aloha mai. + Aloha mai. + Nā Kuleana hana. + Ua heluhelu a ʻae au i nā Kuleana hana + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + Makemake mākou i mau mea iki ma mua o ka hoʻomaka ʻana. + ʻĀina + Makahiki + E kikokiko i ka makahiki kūpono ke ʻoluʻolu. + Keka + Kāne + Wahine + Nā Mea ʻē aʻe + Ke ʻAno Mimi kō + Ke ʻAno 1 + Ke ʻAno 2 + Ke Ana makemake + Share anonymous data for research. + Hiki iā ʻoe ke hoʻololi i kēia makemake ma hope aku. + Holomua + HOʻOMAKA ʻANA + ʻAʻohe ʻike ma ʻaneʻi i kēia manawa. \n Hoʻohui i kāu heluhelu mua ma ʻaneʻi. + Hoʻohui i ke Ana Monakō Koko + Ke Ana paʻapūhia + + Hola + Wā i ana ʻia + Ma mua o ka ʻaina kakahiaka + Ma hope o ka ʻaina kakahiaka + Ma mua o ka ʻaina awakea + Ma hope o ka ʻaina awakea + Ma mua o ka ʻaina ahiahi + Ma hope o ka ʻaina ahiahi + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Holoi + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Mana + Nā Kuleana hana + Ke ʻAno + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Haku i nā māhele + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + E hoʻi pinepine + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Hoʻouna i ka manaʻo + Inā loaʻa i ka pilikia ʻoe a i ʻole loaʻa iā ʻoe ka manaʻo no Glucosio, hoʻopaipai mākou i ka waiho ʻana o ia mea āu i ka papa kauna i hiki mākou ke holomua iā Glucosio. + Hoʻohui i ka heluhelu + E hoʻohui pinepine i kou mau heluhelu monakō i hiki mākou ke kōkua i ka nānā ʻana o kou ana monakō ma o ka manawa holomua. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-hi-rIN/google-playstore-strings.xml b/app/src/main/res/android/values-hi-rIN/google-playstore-strings.xml new file mode 100644 index 00000000..45ee4ed6 --- /dev/null +++ b/app/src/main/res/android/values-hi-rIN/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + शर्करा + शर्करा मधुमेह के साथ लोगों के लिए एक उपयोगकर्ता केंद्रित स्वतंत्र और खुला स्रोत अनुप्रयोग है + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + पर किसी भी कीड़े, मुद्दों, या सुविधा का अनुरोध दायर करें: + https://github.com/glucosio/android + अधिक जानकारी: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-hi-rIN/strings.xml b/app/src/main/res/android/values-hi-rIN/strings.xml new file mode 100644 index 00000000..fd1df0cc --- /dev/null +++ b/app/src/main/res/android/values-hi-rIN/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + सेटिंग + प्रतिक्रिया भेजें + अवलोकन + इतिहास + झुकाव + नमस्ते. + नमस्ते. + उपयोग की शर्तें. + मैंने पढ़ा है और उपयोग की शर्तों को स्वीकार कर लिया है + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + हम तो बस आप पहले शुरू हो रही कुछ जल्दी चीजों की जरूरत है. + देश + आयु + एक वैध उम्र में दर्ज करें. + लिंग + नर + महिला + अन्य + मधुमेह टाइप + श्रेणी 1 + श्रेणी 2 + पसंदीदा इकाई + अनुसंधान के लिए गुमनाम डेटा साझा करें. + आप बाद में सेटिंग में इन बदल सकते हैं. + अगला + शुरू हो जाओ + अभी तक उपलब्ध नहीं है जानकारी. \n यहां अपने पहले पढ़ने जोड़ें. + रक्त शर्करा के स्तर को जोड़ें + एकाग्रता + तारीख + समय + मापा + नाश्ते से पहले + नाश्ते के बाद + दोपहर के भोजन से पहले + दोपहर के भोजन के बाद + रात के खाने से पहले + रात के खाने के बाद + सामान्य + पुनः जाँच + रात + अन्य + रद्द + जोड़ें + कृपया कोई मान्य मान दर्ज करें. + सभी क्षेत्रों को भरें. + हटाना + संपादित + 1 पढ़ने हटाए गए + पूर्ववत + अंतिम जांच: + पिछले एक महीने में रुझान: + सीमा और स्वस्थ में + माह + दिन + सप्ताह + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + के बारे में + संस्करण + उपयोग की शर्तें + टाइप + वजन + कस्टम माप श्रेणी + + कार्बोहाइड्रेट और चीनी का सेवन कम करने में मदद करने के लिए और अधिक ताजा, असंसाधित खाद्य पदार्थ का सेवन करें. + चीनी और कार्बोहाइड्रेट का सेवन को नियंत्रित करने के डिब्बाबंद खाद्य पदार्थ और पेय पदार्थों पर पोषण लेबल पढ़ें. + जब बाहर खा रहे हो, तब बिना अतिरिक्त मक्खन या तेल से भूने मांस या मछली के लिये पूछिये। + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + सहायक + अभी अद्यतन करें + ठीक मिल गया + प्रतिक्रिया सबमिट करें + पढ़ना जोड़ें + अपने वजन को अपडेट करें + Make sure to update your weight so Glucosio has the most accurate information. + अपने अनुसंधान में ऑप्ट अद्यतन + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + श्रेणियों बनाएँ + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + यहाँ अक्सर चेक + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + प्रतिक्रिया सबमिट करें + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + एक पढ़ने जोड़ें + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + पसंदीदा श्रेणी + कस्टम श्रेणी + न्यूनतम मूल्य + अधिकतम मूल्य + अब यह कोशिश करो + diff --git a/app/src/main/res/android/values-hil-rPH/google-playstore-strings.xml b/app/src/main/res/android/values-hil-rPH/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-hil-rPH/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-hil-rPH/strings.xml b/app/src/main/res/android/values-hil-rPH/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-hil-rPH/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-hmn-rCN/google-playstore-strings.xml b/app/src/main/res/android/values-hmn-rCN/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-hmn-rCN/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-hmn-rCN/strings.xml b/app/src/main/res/android/values-hmn-rCN/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-hmn-rCN/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-ho-rPG/google-playstore-strings.xml b/app/src/main/res/android/values-ho-rPG/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-ho-rPG/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-ho-rPG/strings.xml b/app/src/main/res/android/values-ho-rPG/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-ho-rPG/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-hr-rHR/google-playstore-strings.xml b/app/src/main/res/android/values-hr-rHR/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-hr-rHR/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-hr-rHR/strings.xml b/app/src/main/res/android/values-hr-rHR/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-hr-rHR/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-hsb-rDE/google-playstore-strings.xml b/app/src/main/res/android/values-hsb-rDE/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-hsb-rDE/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-hsb-rDE/strings.xml b/app/src/main/res/android/values-hsb-rDE/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-hsb-rDE/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-ht-rHT/google-playstore-strings.xml b/app/src/main/res/android/values-ht-rHT/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-ht-rHT/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-ht-rHT/strings.xml b/app/src/main/res/android/values-ht-rHT/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-ht-rHT/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-hu-rHU/google-playstore-strings.xml b/app/src/main/res/android/values-hu-rHU/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-hu-rHU/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-hu-rHU/strings.xml b/app/src/main/res/android/values-hu-rHU/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-hu-rHU/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-hy-rAM/google-playstore-strings.xml b/app/src/main/res/android/values-hy-rAM/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-hy-rAM/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-hy-rAM/strings.xml b/app/src/main/res/android/values-hy-rAM/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-hy-rAM/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-hz-rNA/google-playstore-strings.xml b/app/src/main/res/android/values-hz-rNA/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-hz-rNA/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-hz-rNA/strings.xml b/app/src/main/res/android/values-hz-rNA/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-hz-rNA/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-ig-rNG/google-playstore-strings.xml b/app/src/main/res/android/values-ig-rNG/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-ig-rNG/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-ig-rNG/strings.xml b/app/src/main/res/android/values-ig-rNG/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-ig-rNG/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-ii-rCN/google-playstore-strings.xml b/app/src/main/res/android/values-ii-rCN/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-ii-rCN/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-ii-rCN/strings.xml b/app/src/main/res/android/values-ii-rCN/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-ii-rCN/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-ilo-rPH/google-playstore-strings.xml b/app/src/main/res/android/values-ilo-rPH/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-ilo-rPH/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-ilo-rPH/strings.xml b/app/src/main/res/android/values-ilo-rPH/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-ilo-rPH/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-in-rID/google-playstore-strings.xml b/app/src/main/res/android/values-in-rID/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-in-rID/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-in-rID/strings.xml b/app/src/main/res/android/values-in-rID/strings.xml new file mode 100644 index 00000000..0fefd9e9 --- /dev/null +++ b/app/src/main/res/android/values-in-rID/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Pengaturan + Kirim umpan balik + Ikhtisar + Riwayat + Kiat + Halo. + Halo. + Ketentuan Penggunaan. + Saya telah membaca dan menerima syarat penggunaan + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + Kami hanya perlu beberapa hal sebelum Anda bisa mulai. + Negara + Umur + Mohon masukkan umur valid. + Gender + Laki-laki + Perempuan + Lainnya + Tipe diabetes + Tipe 1 + Tipe 2 + Unit utama + Berbagi data anonim untuk riset. + Anda dapat mengganti ini nanti di pengaturan. + BERIKUTNYA + MEMULAI + No info available yet. \n Add your first reading here. + Tambah Kadar Glukosa Darah + Konsentrasi + Tanggal + Waktu + Terukur + Sebelum sarapan + Setelah sarapan + Sebelum makan siang + Setelah makan siang + Sebelum makan malam + Setelah makan malam + Umum + Recheck + Malam + Other + BATAL + TAMBAH + Please enter a valid value. + Mohon lengkapi semua isian. + Hapus + Edit + 1 bacaan dihapus + URUNG + Periksa terakhir: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + Tentang + Versi + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-is-rIS/google-playstore-strings.xml b/app/src/main/res/android/values-is-rIS/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-is-rIS/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-is-rIS/strings.xml b/app/src/main/res/android/values-is-rIS/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-is-rIS/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-it-rIT/google-playstore-strings.xml b/app/src/main/res/android/values-it-rIT/google-playstore-strings.xml new file mode 100644 index 00000000..14519a29 --- /dev/null +++ b/app/src/main/res/android/values-it-rIT/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio è un app focalizzata sugli utenti, gratuita e opensource per persone affette da diabete + Usando Glucosio, puoi inserire e tracciare i livelli di glicemia, supportare anonimamente la ricerca sul diabete attraverso la condivisione anonima dell\'andamento della glicemia e di dati demografici e ottenere consigli utili attraverso il nostro assistente. Glucosio rispetta la tua privacy e avrai sempre il controllo dei tuoi dati. + * Focalizzata sull\'utente. Glucosio è progettata con funzionalità e un design che risponde alle necessità degli utenti e siamo costantemente aperti a suggerimenti per migliorare. + * Open Source. Glucosio ti dà la libertà di usare, copiare, studiare e modificare il codice sorgente di una qualsiasi delle nostre applicazioni ed eventualmente contrubuire al progetto stesso. + * Gestisci i dati. Glucosio ti consente di tracciare e gestire i tuoi dati sul diabete tramite un\'interfaccia intuitiva e moderna, costruita seguendo i consigli ricevuti da diabetici. + *Aiuta la ricerca. Glucosio offre agli utenti l\'opzione di acconsentire all\'invio anonimo di dati sul diabete e informazioni demografiche e di condividerli con i ricercatori. + Si prega di inviare eventuali bug, problemi o richieste di nuove funzionalità a: + https://github.com/glucosio/android + Più dettagli: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-it-rIT/strings.xml b/app/src/main/res/android/values-it-rIT/strings.xml new file mode 100644 index 00000000..691f75e4 --- /dev/null +++ b/app/src/main/res/android/values-it-rIT/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Impostazioni + Invia feedback + Riepilogo + Cronologia + Suggerimenti + Ciao. + Ciao. + Condizioni d\'uso. + Ho letto e accetto le condizioni d\'uso + I contenuti del sito web e dell\'applicazione Glucosio, come testo, grafici, immagini e altro materiale (\"Contenuti\") sono a scopo puramente informativo. Le informazioni non sono da considerarsi come sostitutive di consigli medici professionali, diagnosi o trattamenti terapeutici. Noi incoraggiamo gli utenti di Glucosio a chiedere sempre il parere del proprio medico curante o di personale qualificato su qualsiasi domanda tu abbia inerente una condizione medica. Mai ignorare i consigli di una consulenza medica professionale o ritardarne la ricerca a causa di qualcosa letta nel sito web di Glucosio o nella nostra applicazione. Il sito web di Glucosio, Blog, Wiki e altri contenuti accessibili dovrebbero essere usati solo per gli scopi sopra descritti. \n In affidamento su qualsiasi informazione fornita da Glucosio, dai membri del team di Glucosio, volontari o altri che appaiono nel sito web o applicazione, usale a tuo rischio e pericolo. Il Sito Web e i contenuti vengono forniti \"così come sono\". + Abbiamo solo bisogno di un paio di cose veloci prima di iniziare. + Nazione + Età + Inserisci una età valida. + Sesso + Maschio + Femmina + Altro + Tipo di diabete + Tipo 1 + Tipo 2 + Unità preferita + Condividi i dati anonimi per la ricerca. + Puoi cambiare queste impostazioni dopo. + SUCCESSIVO + INIZIAMO + Nessuna informazione disponibile. \n Aggiungi la tua prima lettura qui. + Aggiungi livello di Glucosio nel sangue + Concentrazione + Data + Ora + Misurato + Prima di colazione + Dopo colazione + Prima di pranzo + Dopo pranzo + Prima della cena + Dopo cena + Generale + Ricontrollare + Notte + Altro + ANNULLA + AGGIUNGI + Inserisci un valore valido. + Per favore compila tutti i campi. + Cancella + Modifica + 1 lettura cancellata + ANNULLA + Ultimo controllo: + Tendenza negli ultimi mesi: + nello standard e sano + Mese + Giorno + Settimana + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + Informazioni + Versione + Termini di utilizzo + Tipo + Peso + Categoria personalizzata + + Mangiare più alimenti freschi, non trasformati aiuta a ridurre l\'assunzione dei carboidrati e degli zuccheri. + Leggere l\'etichetta nutrizionale su alimenti confezionati e bevande per controllare l\'assunzione di zuccheri e carboidrati. + Quando mangi fuori, chiedi pesce o carne alla griglia senza aggiunta di burro o olio. + Quando mangi fuori, chiedi se hanno piatti a basso contenuto di sodio. + Quando mangi fuori, mangia le stesse porzioni che mangeresti a casa e portati via gli avanzi. + Quando mangi fuori ordina elementi con basso contenuto calorico, come condimenti per insalata, anche se non sono disponibili in menu. + Quando mangi fuori chiedi dei sostituti. Al posto di patatine fritte, richiedi una doppia porzione di verdure ad esempio insalata, fagioli o broccoli. + Quando mangi fuori, ordina alimenti non impanati o fritti. + Quando mangi fuori chiedi per le salse, sugo e condimenti per insalate \"a parte.\" + Senza zucchero non significa davvero senza zuccheri aggiunti. Vuol dire 0,5 grammi (g) di zucchero per porzione, quindi state attenti a non indulgere in molti articoli senza zuccheri. + Mantenere un peso nella norma, aiuta a controllare gli zuccheri nel sangue. Il tuo medico, un dietista o un istruttore di fitness può aiutarti a iniziare un piano di lavoro adatto a te che funziona. + Controllare la glicemia e tenerne traccia in un applicazione come Glucosio due volte al giorno, ti aiuterà ad essere consapevole dei risultati e delle scelte alimentari e dello stile di vita. + Esegui esami dell\'emoglobina glicata (HbA1c) per stabilire i valori medi di glicemia degli ultimi 2 o 3 mesi. Il tuo medico dovrebbe dirti quanto spesso sarà necessario eseguire quest\'esame. + Tener traccia del consumo dei carboidrati può essere importante come il controllo della glicemia, in quanto i carboidrati influenzano i livelli di glucosio nel sangue. Parla con il tuo medico o nutrizionista dell\'assunzione dei carboidrati. + Controllare la pressione sanguigna, il colesterolo e i trigliceridi è importante poiché i diabetici sono più a rischio di malattie cardiache. + Ci sono diversi approcci di dieta che puoi affrontare mangiando più sano e contribuendo a migliorare i tuoi risultati diabetici. Chiedere il parere di un dietologo su cosa funziona meglio per te e il tuo budget. + Fare esercizio fisico regolarmente è particolarmente importante per i diabetici e può aiutare a mantenere un peso sano. Parla con un medico degli esercizi che sono più adatti al tuo caso. + L\'insonnia può farti mangiare molto più del necessario: cibi spazzatura possono avere un impatto negativo sulla tua salute. Migliora la qualità del tuo sonno e consulta uno specialista se riscontri difficoltà. + Lo stress può avere un impatto negativo sul diabete, parla con il tuo medico o altri operatori sanitari per far fronte allo stress. + Prenotare una visita dal tuo medico almeno una volta l\'anno e avere comunicazioni regolari durante tutto l\'anno è importante per i diabetici per prevenire qualsiasi improvvisa insorgenza di problemi di salute associati. + Prendi i farmaci come prescritti dal tuo medico, anche piccole variazioni possono incidere sul tuo livello di glucosio e causare effetti collaterali. Se hai difficoltà a ricordare chiedi al tuo medico come gestire i farmaci. + + + I diabetici di lunga data potrebbero avere un alto rischio di complicanze associate al diabete. Parla con il tuo medico su come l\'età giochi un ruolo nel tuo diabete e come monitorare questi rischi. + Limita la quantità di sale che usi per cucinare e che aggiungi ai pasti dopo la cottura. + + Assistente + AGGIORNA ORA + OK, CAPITO + INVIA FEEDBACK + AGGIUNGI UNA MISURAZIONE + Aggiorna il tuo peso + Aggiorna il peso regolarmente così Glucosio ha le informazioni più accurate. + Aggiorna la tua scelta di mandare il tuoi dati in modo anonimo ai gruppo di ricerca + Puoi sempre acconsentire o meno alla condivisione dei dati a favore della ricerca sul diabete, ma ricorda che tutti i dati condivisi sono completamente anonimi. Condividiamo solo dati demografici e le tendenze dei livelli di glucosio. + Crea categorie + Glucosio ha delle categorie di default per l\'immissione dei valori di glucosio, ma puoi creare categorie personalizzate nelle impostazioni per soddisfare le tue necessità. + Controllare spesso qui + L\'assistente di Glucosio fornisce constanti suggerimenti e continuerà a migliorare, perciò controlla sempre qui azioni che possono migliorare la tua esperienza d\'uso di Glucosio e altri utili consigli. + Invia feedback + Se trovi eventuali problemi tecnici o hai feedback su Glucosio ti invitiamo a segnalarli nel menu impostazioni, al fine di aiutarci a migliorare Glucosio. + Aggiungi una lettura + Assicurati di aggiungere regolarmente le letture della tua glicemia, così possiamo aiutarti a monitorare i livelli di glucosio nel corso del tempo. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Intervallo desiderato + Intervallo personalizzato + Valore minimo + Valore massimo + PROVALO ORA + diff --git a/app/src/main/res/android/values-iu-rNU/google-playstore-strings.xml b/app/src/main/res/android/values-iu-rNU/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-iu-rNU/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-iu-rNU/strings.xml b/app/src/main/res/android/values-iu-rNU/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-iu-rNU/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-iw-rIL/google-playstore-strings.xml b/app/src/main/res/android/values-iw-rIL/google-playstore-strings.xml new file mode 100644 index 00000000..1ed08674 --- /dev/null +++ b/app/src/main/res/android/values-iw-rIL/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio הוא יישום בקוד פתוח עבור אנשים עם סוכרת + בזמן השימוש ב Glucosio אתם יכולים לעקוב אחר רמות הסוכר בדם, לתמוך במחקר הסוכרת באופן יעיל באמצעות שיתוף מידע אנונימי. Glucosio מכבדת את הפרטיות שלך ושומרת על פרטי המידע שלך. + Glucosio נבנה לשימוש היוצר עם אפרויות ועיצוב מותאמים אישית. אנחנו פתוחים ומשוב וחוות דעת לשיפור. + * קוד פתוח. אפליקציות Glucosio נותנת לכם את החופש להשתמש, להעתיק, ללמוד, ולשנות את קוד המקור של כל האפליקציות שלנו, וגם לתרום לפרויקט Glucosio. + * ניהול נתונים. Glucosio מאפשר לכם לעקוב אחר נתוני הסוכרת בממשק אינטואיטיבי, מודרני אשר נבנה על בסיס משוב של חולי סוכרת. + * תומך מחקר. Glucosio apps מאפשר למשתמשים להצטרף ולשתף נתונים אנונימיים ומידע דמוגרפי עם חוקרי סוכרת. + אנא דווחו על באגים ו\או הצעות לאפשרויות חדשות ולשיפורים ב: + https://github.com/glucosio/android + פרטים נוספים: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-iw-rIL/strings.xml b/app/src/main/res/android/values-iw-rIL/strings.xml new file mode 100644 index 00000000..98748e9e --- /dev/null +++ b/app/src/main/res/android/values-iw-rIL/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + הגדרות + שלח משוב + מבט על + היסטוריה + הצעות + שלום. + שלום. + תנאי שימוש + קראתי ואני מסכים לתנאי השימוש + התכנים של אתר Glucosio, יישומים, כגון טקסט, גרפיקה, תמונות, חומר אחר (\"תוכן\") הן למטרות שיתוף מידע \ אינפורמציה בלבד. התוכן לא נועד לשמש כתחליף לייעוץ רפואי, אבחון או טיפול מוסמך. אנו ממליצים למשתמשי Glucosio תמיד להתייעץ עם הרופא שלך או ספק שירותי בריאות מוסמכים אחרים על כל שאלה לגבי מצבך רפואי. לעולם אל תמנע או תתעכב במציאת ייעוץ רפואי מוסמך בגלל משהו שקראת באתר Glucosio או ביישומים שלנו. אתר האינטרנט Glucosio, הבלוג, הויקי וכל תוכן אחר באתר האינטרנט (\"האתר\") אמור לשמש רק לצרכים המתוארים לעיל. \n הסתמכות על כל מידע המסופק על ידי Glucosio, חברי צוות האתר, או מתנדבים אחרים המופיעים באתר או ביישומים שלנו הוא באחריות המשתמש בלבד. האתר והתוכן הינם מסופקים על בסיס כהוא וללא אחריות. + אנא מלא את הפרטים הבאים בשביל להתחיל. + מדינה + גיל + אנא הזן גיל תקין. + מין + זכר + נקבה + אחר + סוג סוכרת + סוכרת סוג 1 + סוכרת סוג 2 + יחידת מדידה מעודפת + שתף מידע אנונימי למחקר. + תוכלו לשנות את ההגדרות האלו מאוחר יותר. + הבא + התחל + אין מידע זמין כעט.\n הוסף את קריאת המדדים הראשונה שלך כאן. + הוסף רמת סוכר הדם + ריכוז + תאריך + שעה + זמן מדידה + לפני ארוחת בוקר + לאחר ארוחת הבוקר + לפני ארוחת הצהריים + לאחר ארוחת הצהריים + לפני ארוחת הערב + לאחר ארוחת הערב + כללי + בדוק מחדש + לילה + אחר + ביטול + להוסיף + אנא הזינו ערך תקין. + אנא מלאו את כל השדות. + למחוק + ערוך + מדידה אחת נמחקה + בטל + בדיקה אחרונה: + המגמה בחודש האחרון: + בטווח ובריא + חודש + יום + שבוע + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + אודות + גרסה + תנאי שימוש + סוג + משקל + קטגורית מדידה מותאמת אישית + + אכול יותר מזון טרי ולא מעובד כדי לצמצם את צריכת הפחמימות והסוכר. + קרא את התוויות תזונתיות על מזונות ארוזים ומשקאות בכדי לשלוט בצריכת הפחמימות והסוכר. + כאשר אתם אוכלים בחוץ, בקשו דג או בשר צלוי ללא תוספת חמאה או שמן. + כאשר אוכלים בחוץ, תשאלו אם יש להם מנות עם מעט אן בלי נתרן. + כאשר אוכלים בחוץ, איכלו את אותו גודל המנות שתאכלו בבית, וקחו את השאריות ללכת. + כאשר אוכלים בחוץ בקשו מזונות מעוטי קלוריות, כגון רטבים לסלט, אפילו אם הם לא בתפריט. + כאשר אוכלים בחוץ בקשו החלפות. במקום צ\'יפס, בקשו כמות כפולה של ירק כמו סלט, שעועית ירוקה או ברוקולי. + כאשר אתם אוכלים בחוץ, הזמינו מזונות ללא ציפוי לחם או טיגון. + כאשר אתם אוכלים בחוץ בקשו רטבים, ורטבים לסלט \"בצד.\" + \"ללא סוכר\" לא באמת אומר ללא סוכר. בד\"כ זה אומר 0.5 גרם סוכר למנה, היזהרו לא לאכל יותר מדי פריטים \"ללא סוכר\". + הגעה אל משקל תקין מסייעת בשליטה על רמת הסוכרים בדם. הרופא שלך, דיאטן, ומאמן כושר יעזרו לך בלבנות תוכנית אישית לירידה ושמירה על משקל תקין. + בדיקת רמת סוכר הדם ומעקב תכוף באפליקציה כמו Glucosio פעמיים ביום, יעזור לך להיות מודע לגבי התוצאות של בחירות במזון ואורח בחיים שלך. + בצעו בדיקת דם A1c כדי לגלות את רמת הסוכר הממוצעת שלכם ל 2-3 חודשים האחרונים. הרופא שלכם יוכל לוודא באיזו תדירות יש צורך שתבצעו את הבדיקה הזו. + מעקב אחר צריכת הפחמימות שלכם יכולה להיות לא פחות חשובה מבדיקת רמות סוכר הדם שלכם, מאחר ופחמימות משפיעות על רמות הסוכר בדם. דברו עם הרופא שלכם או דיאטנית לגבי צריכת הפחמימות. + שליטה בלחץ הדם, הכולסטרול, ורמת הטריגליצרידים חשוב מכיוון שסוכרתיים נמצאים בסיכון גבוה יותר למחלות לב. + ישנן מספר גישות דיאטה שניתן לנקוט כדי לאכול בריא יותר ולסייע לשפר את מצב הסוכרת שלכם. התייעצו עם רופא או דיאטנית על הגישות המתאימות לכם ולתקציב שלכם. + פעילות גופנית סדירה חשובה במיוחד בשביל סוכרתיים ותורמת לשמירה על משקל תקין. התייעצו עם רופא על תרגילים ותוכניות אימון שיתאימו לכם. + מחסור בשינה עלול לגרום לרעב מוגבר ואכילת יתר ובמיוחד \"ג\'אנק-פוד\". מצב שעלול להשפיע לרעה על בריאותכם. הקפידו על שנת לילה טובה ופנו להתייעצות עם רופא או מומחה שינה אם אתם חווים קשיים בשינה. + לחץ יכול להוות השפעה שלילית על הסוכרת. התייעצו עם רופא או מומחה לגבי התמודדות עם לחצים. + ביקור שנתי וששימור תקשורת קבועה עם הרופא שלכם זה כלי חשוב למניעת התפרצויות פתאומיות ומניעת בעיות בריאותיות נלוות. + קחו את התרופות כנדרש על ידי הרופא. אפילו מעידות קטנות עלולות להשפיע על רמת הסוכר בדם וגרימת תופעות נלוות. אם אתם חווים קשיים לזכור לקחת את התרופות שלכם, התייעצו עם רופא לגבי ניהול לו\"ז תרופות ותזכורות. + + + חולי סוכרת מבוגרים עלולים להיות בסיכון גבוה יותר לבעיות בריאות הקשורים בסוכרת. התייעצו עם רופא על איך בגילכם ממלאת תפקיד הסכרת שלכם ולמה עליכם לצפות. + הגבל את כמות המלח בבישול ובארוחה. + + מסייע + עדכון + אוקיי + שלח משוב + הוסף מדידה + עדכן את משקלך + הקפד לעדכן את המשקל שלך כך שב-Glucosio יהיה את המידע המדויק ביותר. + עדכון שיתוף מידע למחקר (opt-in) + אתם יכוליםלהסכים להצטרף (opt-in) או לבטל (opt-out) שיתוף מידע למחקר, אבל זיכרו, כל הנתונים המשותפים הוא אנונימיים לחלוטין. אנחנו רק חולקים מידע דמוגרפי ואת רמת ומגמת הגלוקוז. + צור קטגוריות + Glucosio מגיע עם קטגוריות ברירת המחדל עבור קלט רמת הגלוקוז, אך באפשרותך ליצור קטגוריות מותאמות אישית הגדרות כדי להתאים לצרכים הייחודיים שלך. + בדוק כאן לעיתים קרובות + העוזר ב-Glucosio מספק עצות קבועות לשמור על שיפור, בידקו בתכיפות לגבי שימושי פעולות שבאפשרותך לבצע כדי לשפר את החוויה Glucosio שלך, טיפים שימושיים נוספים. + שלח משוב + אם אתם מוצאים כל בעיות טכניות או לקבל משוב אודות Glucosio אנו מעודדים אותך להגיש את זה בתפריט \' הגדרות \' כדי לסייע לנו לשפר את Glucosio. + הוסף מדידה + הקפד להוסיף באופן קבוע את מדידות רמת הסוכר בדם שלך כדי שנוכל לעזור לך לעקוב אחר רמות הסוכר שלך לאורך זמן. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + טווח מועדף + טווח מותאם אישית + ערך מינימום + ערך מקסימום + נסה זאת עכשיו + diff --git a/app/src/main/res/android/values-ja-rJP/google-playstore-strings.xml b/app/src/main/res/android/values-ja-rJP/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-ja-rJP/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-ja-rJP/strings.xml b/app/src/main/res/android/values-ja-rJP/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-ja-rJP/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-jbo-rEN/google-playstore-strings.xml b/app/src/main/res/android/values-jbo-rEN/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-jbo-rEN/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-jbo-rEN/strings.xml b/app/src/main/res/android/values-jbo-rEN/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-jbo-rEN/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-ji-rDE/google-playstore-strings.xml b/app/src/main/res/android/values-ji-rDE/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-ji-rDE/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-ji-rDE/strings.xml b/app/src/main/res/android/values-ji-rDE/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-ji-rDE/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-jv-rID/google-playstore-strings.xml b/app/src/main/res/android/values-jv-rID/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-jv-rID/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-jv-rID/strings.xml b/app/src/main/res/android/values-jv-rID/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-jv-rID/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-ka-rGE/google-playstore-strings.xml b/app/src/main/res/android/values-ka-rGE/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-ka-rGE/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-ka-rGE/strings.xml b/app/src/main/res/android/values-ka-rGE/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-ka-rGE/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-kab/google-playstore-strings.xml b/app/src/main/res/android/values-kab/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-kab/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-kab/strings.xml b/app/src/main/res/android/values-kab/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-kab/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-kdh/google-playstore-strings.xml b/app/src/main/res/android/values-kdh/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-kdh/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-kdh/strings.xml b/app/src/main/res/android/values-kdh/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-kdh/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-kg-rCG/google-playstore-strings.xml b/app/src/main/res/android/values-kg-rCG/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-kg-rCG/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-kg-rCG/strings.xml b/app/src/main/res/android/values-kg-rCG/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-kg-rCG/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-kj-rAO/google-playstore-strings.xml b/app/src/main/res/android/values-kj-rAO/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-kj-rAO/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-kj-rAO/strings.xml b/app/src/main/res/android/values-kj-rAO/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-kj-rAO/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-kk-rKZ/google-playstore-strings.xml b/app/src/main/res/android/values-kk-rKZ/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-kk-rKZ/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-kk-rKZ/strings.xml b/app/src/main/res/android/values-kk-rKZ/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-kk-rKZ/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-kl-rGL/google-playstore-strings.xml b/app/src/main/res/android/values-kl-rGL/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-kl-rGL/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-kl-rGL/strings.xml b/app/src/main/res/android/values-kl-rGL/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-kl-rGL/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-km-rKH/google-playstore-strings.xml b/app/src/main/res/android/values-km-rKH/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-km-rKH/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-km-rKH/strings.xml b/app/src/main/res/android/values-km-rKH/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-km-rKH/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-kmr-rTR/google-playstore-strings.xml b/app/src/main/res/android/values-kmr-rTR/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-kmr-rTR/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-kmr-rTR/strings.xml b/app/src/main/res/android/values-kmr-rTR/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-kmr-rTR/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-kn-rIN/google-playstore-strings.xml b/app/src/main/res/android/values-kn-rIN/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-kn-rIN/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-kn-rIN/strings.xml b/app/src/main/res/android/values-kn-rIN/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-kn-rIN/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-ko-rKR/google-playstore-strings.xml b/app/src/main/res/android/values-ko-rKR/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-ko-rKR/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-ko-rKR/strings.xml b/app/src/main/res/android/values-ko-rKR/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-ko-rKR/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-kok-rIN/google-playstore-strings.xml b/app/src/main/res/android/values-kok-rIN/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-kok-rIN/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-kok-rIN/strings.xml b/app/src/main/res/android/values-kok-rIN/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-kok-rIN/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-ks-rIN/google-playstore-strings.xml b/app/src/main/res/android/values-ks-rIN/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-ks-rIN/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-ks-rIN/strings.xml b/app/src/main/res/android/values-ks-rIN/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-ks-rIN/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-ku-rTR/google-playstore-strings.xml b/app/src/main/res/android/values-ku-rTR/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-ku-rTR/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-ku-rTR/strings.xml b/app/src/main/res/android/values-ku-rTR/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-ku-rTR/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-kv-rKO/google-playstore-strings.xml b/app/src/main/res/android/values-kv-rKO/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-kv-rKO/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-kv-rKO/strings.xml b/app/src/main/res/android/values-kv-rKO/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-kv-rKO/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-kw-rGB/google-playstore-strings.xml b/app/src/main/res/android/values-kw-rGB/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-kw-rGB/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-kw-rGB/strings.xml b/app/src/main/res/android/values-kw-rGB/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-kw-rGB/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-ky-rKG/google-playstore-strings.xml b/app/src/main/res/android/values-ky-rKG/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-ky-rKG/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-ky-rKG/strings.xml b/app/src/main/res/android/values-ky-rKG/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-ky-rKG/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-la-rLA/google-playstore-strings.xml b/app/src/main/res/android/values-la-rLA/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-la-rLA/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-la-rLA/strings.xml b/app/src/main/res/android/values-la-rLA/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-la-rLA/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-lb-rLU/google-playstore-strings.xml b/app/src/main/res/android/values-lb-rLU/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-lb-rLU/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-lb-rLU/strings.xml b/app/src/main/res/android/values-lb-rLU/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-lb-rLU/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-lg-rUG/google-playstore-strings.xml b/app/src/main/res/android/values-lg-rUG/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-lg-rUG/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-lg-rUG/strings.xml b/app/src/main/res/android/values-lg-rUG/strings.xml new file mode 100644 index 00000000..cde93df5 --- /dev/null +++ b/app/src/main/res/android/values-lg-rUG/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Setingi + Werezza obubaka + Overview + Ebyafayo + Obubonero + Hallo. + Gyebale. + Endagano ye Enkozesa + Mazze okusoma atte nzikiriza Endagano Z\'enkozesa + Ebintu ebiri ku mutingabagano ne appu za Glucosio, nga ebigambo, grafikis, ebifananyi ne ebintu ebikozesebwa ebirala byona (\"Ebintu\") bya kusoma kwoka. Ebintu bino tebigendereddwa ku kuzesebwa mu kifo ky\'obubaka bwe ddwaliro obukugu, okeberwa oba obujanjjabi. Tuwaniriza abakozesa Glucosio buli kaseera okunonya obubaka obutufu obwo omusawo oba omujanjabi omulala omukugu ng\'obabuza ebibuzo byona byoyina ebikwatagana n\'ekirwadde kyona. Togana nga bubaka bw\'abasawo abakugu oba n\'olwawo okubunonya lwakuba oyina byosomye ku mutinbagano gwa Glucosio oba mu appu z\'affe. Omutinbagano, bulogo, Wiki n\'engeri endala ez\'okukatimbe (\"Omutinbagano\") biyina okozesebwa mungeri y\'oka nga wetugambye wangulu.\n Okweyunira ku bubaka obuwerebwa Glucosio, ba memba ba tiimu ya Glucosio, bamuzira-kisa nabalala abana beera ku mutinbagano oba mu appu zaffe mukikola ku bulabe bwamwe. Omutinbagano N\'ebiriko biwerebwa nga bwebiri. + Twetagayo ebintu bitono nga tetunakuyamba kutandika. + Ensi + Emyaka + Tusoba oyingizemu emyaka emitufu. + Gender + Musajja + Mukazi + Endala + Ekika kya Sukali + Ekika Ekisoka + Ekika Eky\'okubiri + Empima Gy\'oyagala + Gaba obubaka bwa risaaki nga tekuli manya. + Osobola okukyusa setingi zino edda. + EKIDAKO + TANDIKA + Tewanabawo bubaka. \n Gatta esomayo esooka wano. + Gata levo ya Sukari ali mu Musaayi wano + Obukwafu + Olunaku + Essawa + Ebipimiddwa + Nga tonanywa kyayi + Ng\'omazze kyayi + Nga tonala ky\'emisana + Ng\'omazze okulya eky\'emisana + Nga tonalya ky\'eggulo + Ng\'omazze okulya eky\'eggulo + General + Ddamu okebere + Ekiro + Ebirala + SAZAMU + GATAKO + Tusaba oyingizemu enukutta entufu. + Tusaba ojuzzemu amabanga gona. + Sazamu + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-li-rLI/google-playstore-strings.xml b/app/src/main/res/android/values-li-rLI/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-li-rLI/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-li-rLI/strings.xml b/app/src/main/res/android/values-li-rLI/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-li-rLI/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-lij-rIT/google-playstore-strings.xml b/app/src/main/res/android/values-lij-rIT/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-lij-rIT/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-lij-rIT/strings.xml b/app/src/main/res/android/values-lij-rIT/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-lij-rIT/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-ln-rCD/google-playstore-strings.xml b/app/src/main/res/android/values-ln-rCD/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-ln-rCD/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-ln-rCD/strings.xml b/app/src/main/res/android/values-ln-rCD/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-ln-rCD/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-lo-rLA/google-playstore-strings.xml b/app/src/main/res/android/values-lo-rLA/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-lo-rLA/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-lo-rLA/strings.xml b/app/src/main/res/android/values-lo-rLA/strings.xml new file mode 100644 index 00000000..4d6bec01 --- /dev/null +++ b/app/src/main/res/android/values-lo-rLA/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + ຕັ້ງຄ່າ + ສົ່ງຂໍ້ຄິດເຫັນ + ພາບລວມ + ປະຫວັດ + ເຄັດລັບ + ສະບາຍດີ. + ສະບາຍດີ. + ເງື່ອນໄຂການໃຊ້. + ຂ້ອຍໄດ້ອ່ານ ແລະ ຍອມຮັບເງື່ອນໄຂການນຳໃຊ້ແລ້ວ + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + ປະເທດ + ອາຍຸ + ກະລຸນາປ້ອນອາຍຸທີ່ຖືກຕ້ອງ. + ເພດ + ຜູ້ຊາຍ + ຜູ້ຫຍິງ + ອື່ນໆ + ປະເພດຂອງພະຍາດເບົາຫວານ + ປະເພດທີ່ 1 + ປະເພດທີ່ 2 + ຫົວຫນ່ວຍທີ່ທ່ານມັກ + ແບ່ງປັນຂໍ້ມູນທີ່ບໍລະບູຊືສໍາລັບການຄົ້ນຄວ້າ. + ທ່ານສາມາດປ່ຽນແປງໃນການຕັ້ງຄ່າຕາມຫລັງ. + ຕໍ່ໄປ + ເລີ່ມຕົ້ນນຳໃຊ້ເລີຍ + ຍັງບໍ່ມີຂໍ້ຫຍັງເທື່ອ. \n ເພີ່ມການອ່ານທຳອິດຂອງທ່ານເຂົ້າໃນນີ້. + ເພີ່ມລະດັບເລືອດ Glucose + ຄວາມເຂັ້ມຂຸ້ນ + ວັນທີ່ + ເວລາ + ການວັດແທກ + ຫລັງຮັບປະທ່ານອາຫານເຊົ້າ + ກ່ອນຮັບປະທ່ານອາຫານເຊົ້າ + ຫລັງຮັບປະທ່ານອາຫານທ່ຽງ + ກ່ອນຮັບປະທ່ານອາຫານທ່ຽງ + ຫລັງຮັບປະທ່ານອາຫານຄຳ + ກ່ອນຮັບປະທ່ານອາຫານຄຳ + ທົ່ວໄປ + ກວດຄືນ + ຕອນກາງຄືນ + ອື່ນໆ + ອອກ + ເພີ່ມ + ກະລຸນາໃສ່ຄ່າຂໍ້ມູນທີ່ຖືກຕ້ອງ. + ກະລຸນາຕື່ມໃສ່ໃຫ້ຄົບທຸກຫ້ອງ. + ລຶບ + ແກ້ໄຂ + 1 reading deleted + ເອົາກັບຄືນ + ກວດສອບຄັ້ງຫຼ້າສຸດ: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + ກ່ຽວກັບ + ຫລູ້ນ + ເງື່ອນໄຂການໃຊ້ + ປະເພດ + Weight + Custom measurement category + + ຮັບປະທານອາຫານສົດໆເພື່ອຊ່ວຍລຸດປະລິມານທາດນໍ້ຕານ ແລະ ແປ້ງ. + ອ່ານປ້າຍທາງໂພຊະນາການຢູ່ກ່ອງອາຫານ ແລະ ເຄື່ອງດື່ມໃນການຄວບຄຸມທາດນ້ຳຕານ ແລະ ທາດແປ້ງ. + ເວລາທີ່ໄປຮັບປະທານອາຫານນອກບ້ານຂໍໃຫ້ສັງປີ້ງປາ ຫລື ຊີ້ນທີ່ບໍ່ມີເນີຍ ຫລື ນໍ້າມັນ. + ເວລາທີ່ໄປຮັບປະທານອາຫານນອກບ້ານໃຫ້ຖາມເບິງອາຫານທີ່ມີທາດໂຊດຽມຕຳ. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + ຜູ້ຊ່ວຍ + ອັບເດດຕອນນີ້ເລີຍ + Ok, ເຂົ້າໃຈແລ້ວ + ສົ່ງຄໍາຄິດເຫັນ + ເພີ່ມການອ່ານ + ອັບເດດນ້ຳຫນັກຂອງທ່ານ + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + ສົ່ງຄໍາຄິດເຫັນ + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + ເພີ່ມການອ່ານ + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-lt-rLT/google-playstore-strings.xml b/app/src/main/res/android/values-lt-rLT/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-lt-rLT/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-lt-rLT/strings.xml b/app/src/main/res/android/values-lt-rLT/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-lt-rLT/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-luy-rKE/google-playstore-strings.xml b/app/src/main/res/android/values-luy-rKE/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-luy-rKE/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-luy-rKE/strings.xml b/app/src/main/res/android/values-luy-rKE/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-luy-rKE/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-lv-rLV/google-playstore-strings.xml b/app/src/main/res/android/values-lv-rLV/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-lv-rLV/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-lv-rLV/strings.xml b/app/src/main/res/android/values-lv-rLV/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-lv-rLV/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-mai-rIN/google-playstore-strings.xml b/app/src/main/res/android/values-mai-rIN/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-mai-rIN/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-mai-rIN/strings.xml b/app/src/main/res/android/values-mai-rIN/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-mai-rIN/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-me-rME/google-playstore-strings.xml b/app/src/main/res/android/values-me-rME/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-me-rME/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-me-rME/strings.xml b/app/src/main/res/android/values-me-rME/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-me-rME/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-mg-rMG/google-playstore-strings.xml b/app/src/main/res/android/values-mg-rMG/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-mg-rMG/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-mg-rMG/strings.xml b/app/src/main/res/android/values-mg-rMG/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-mg-rMG/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-mh-rMH/google-playstore-strings.xml b/app/src/main/res/android/values-mh-rMH/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-mh-rMH/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-mh-rMH/strings.xml b/app/src/main/res/android/values-mh-rMH/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-mh-rMH/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-mi-rNZ/google-playstore-strings.xml b/app/src/main/res/android/values-mi-rNZ/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-mi-rNZ/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-mi-rNZ/strings.xml b/app/src/main/res/android/values-mi-rNZ/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-mi-rNZ/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-mk-rMK/google-playstore-strings.xml b/app/src/main/res/android/values-mk-rMK/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-mk-rMK/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-mk-rMK/strings.xml b/app/src/main/res/android/values-mk-rMK/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-mk-rMK/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-ml-rIN/google-playstore-strings.xml b/app/src/main/res/android/values-ml-rIN/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-ml-rIN/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-ml-rIN/strings.xml b/app/src/main/res/android/values-ml-rIN/strings.xml new file mode 100644 index 00000000..2c309d11 --- /dev/null +++ b/app/src/main/res/android/values-ml-rIN/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + സജ്ജീകരണങ്ങള്‍ + Send feedback + മേല്‍കാഴ്ച + നാള്‍വഴി + സൂത്രങ്ങള്‍ + നമസ്കാരം. + നമസ്കാരം. + ഉപയോഗനിബന്ധനകൾ. + ഞാൻ നിബന്ധനകൾ അംഗീകരിക്കുന്നു + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + രാജ്യം + വയസ്സു് + ഒരു സാധുതയുള്ള വയസ്സ് നൽകുക. + ലിംഗം + പുരുഷന്‍ + സ്ത്രീ + മറ്റുള്ളവ + പ്രമേഹത്തിന്റെ വിധം + ടൈപ്പു് 1 + ടൈപ്പു് 2 + ഉപയോഗിക്കേണ്ട ഏകകം + നിരീക്ഷണത്തിനായി വിവരങ്ങൾ നൽകുക. + ഇത് പിന്നീട് മാറ്റാവുന്നതാണു്. + അടുത്തത് + തുടങ്ങാം + ഒരു വിവരവും ലഭ്യമല്ല \n ആദ്യ നിരീക്ഷണം ചേർക്കുക. + രക്തത്തിലെ ഗ്ലൂക്കോസിന്റെ അളവു് ചേര്‍ക്കൂ + ഗാഢത + തീയതി + സമയം + അളന്നതു് + പ്രാതലിനു് മുമ്പു് + പ്രാതലിനു് ശേഷം + ഉച്ചയൂണിനു് മുമ്പു് + ഉച്ചയൂണിനു് ശേഷം + അത്താഴത്തിനു് മുമ്പു് + അത്താഴത്തിനു് ശേഷം + പൊതുവായത് + വീണ്ടും നോക്കുക + രാത്രി + മറ്റുള്ളവ + വേണ്ട + ചേര്‍ക്കൂ + ഒരു സാധുതയുള്ള മൂല്യം ചേർക്കുക. + ദയവായി എല്ലാ കോളങ്ങളും പൂരിപ്പിക്കുക. + നീക്കം ചെയ്യുക + മാറ്റം വരുത്തുക + 1 നിരീക്ഷണം മായിച്ചിരിക്കുന്നു + തിരുത്തുക + അവസാന നോട്ടം: + ഈ മാസത്തിലെ പോക്കു്: + പരിധിക്കുള്ളിൽ, ആരോഗ്യകരം + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + സംബന്ധിച്ച് + പതിപ്പ് + ഉപയോഗനിബന്ധനകൾ + തരം + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + സഹായി + ഇപ്പോൾ പുതുക്കുക + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-mn-rMN/google-playstore-strings.xml b/app/src/main/res/android/values-mn-rMN/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-mn-rMN/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-mn-rMN/strings.xml b/app/src/main/res/android/values-mn-rMN/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-mn-rMN/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-moh-rCA/google-playstore-strings.xml b/app/src/main/res/android/values-moh-rCA/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-moh-rCA/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-moh-rCA/strings.xml b/app/src/main/res/android/values-moh-rCA/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-moh-rCA/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-mos/google-playstore-strings.xml b/app/src/main/res/android/values-mos/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-mos/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-mos/strings.xml b/app/src/main/res/android/values-mos/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-mos/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-mr-rIN/google-playstore-strings.xml b/app/src/main/res/android/values-mr-rIN/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-mr-rIN/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-mr-rIN/strings.xml b/app/src/main/res/android/values-mr-rIN/strings.xml new file mode 100644 index 00000000..aaafd8eb --- /dev/null +++ b/app/src/main/res/android/values-mr-rIN/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + सेटिंग्स + प्रतिक्रिया पाठवा + सारांश + इतिहास + टिपा + नमस्कार. + नमस्कार. + वापराच्या अटी + मी वापराच्या अटी वाचल्या आहेत आणि त्या मान्य करतो + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + आपण सुरु करण्या आधी काही आम्हाला काही झटपट गोष्टी हव्या आहेत. + देश + वय + Please enter a valid age. + लिंग + पुरुष + महिला + इतर + मधुमेह + प्रकार १ + प्रकार २ + एककाचे प्राधान्य + Share anonymous data for research. + आपण नंतर ह्या सेटिंग्स मधे बदलु शकता. + पुढे + सुरुवात करा + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + दिनांक + वेळ + मोजले + न्याहारी आधी + न्याहारी नंतर + जेवणाआधी + जेवणानंतर + जेवणाआधी + जेवणानंतर + एकंदर + पुनःतपासा + रात्र + इतर + रद्द + जोडा + Please enter a valid value. + Please fill all the fields. + नष्ट + संपादन + 1 reading deleted + UNDO + शेवटची तपासणी: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + या बद्दल + आवृत्ती + वापराच्या अटी + प्रकार + वजन + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-ms-rMY/google-playstore-strings.xml b/app/src/main/res/android/values-ms-rMY/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-ms-rMY/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-ms-rMY/strings.xml b/app/src/main/res/android/values-ms-rMY/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-ms-rMY/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-mt-rMT/google-playstore-strings.xml b/app/src/main/res/android/values-mt-rMT/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-mt-rMT/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-mt-rMT/strings.xml b/app/src/main/res/android/values-mt-rMT/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-mt-rMT/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-my-rMM/google-playstore-strings.xml b/app/src/main/res/android/values-my-rMM/google-playstore-strings.xml new file mode 100644 index 00000000..9c114a1c --- /dev/null +++ b/app/src/main/res/android/values-my-rMM/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + အ​သေးစိတ်။ + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-my-rMM/strings.xml b/app/src/main/res/android/values-my-rMM/strings.xml new file mode 100644 index 00000000..e936c342 --- /dev/null +++ b/app/src/main/res/android/values-my-rMM/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + အပြင်အဆင်များ + အကြံပြုချက်​ပေးရန် + ခြုံငုံကြည့်ခြင်း + မှတ်တမ်း + အကြံပြုချက်များ + မင်္ဂလာပါ။ + မင်္ဂလာပါ။ + သုံးစွဲမှု စည်းကမ်းချက်များ + သုံးစွဲမှု စည်းကမ်းချက်များကို ဖတ်ရှုထားပါသည်။ ထို့ပြင် သဘောတူလက်ခံပါသည်။ + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + သင် စတင် အသုံးမပြုမီ လျင်မြန်စွာ ဆောင်ရွက်နိုင်သည့် အချက်အနည်းငယ် ဆောင်ရွက်ရန် လိုအပ်ပါသည်။ + နိုင်ငံ + အသက် + ကျေးဇူးပြု၍ မှန်ကန်သော အသက်ကို ဖြည့်ပါ။ + လိင် + ကျား + + အခြား + ဆီးချို အမျိုးအစား + အမျိုးအစား ၁ + အမျိုးအစား ၂ + အသုံးပြုလိုသော အတိုင်းအတာ + သုတေသနအတွက် အချက်အလက်ကို မျှဝေပါ (အမျိုးအမည် မဖော်ပြပါ)။ + သင် ဒီအရာကို အပြင်အဆင်များထဲတွင် ပြောင်းလဲနိုင်သည်။ + ရှေ့သို့ + စတင်မည် + မည်သည့်အချက်အလက်မျှ မရနိုင်သေးပါ။ \n သင့် ပထမဆုံး ပြန်ဆိုချက်ကို ဒီမှာ ထည့်ပါ။ + သွေးထဲရှိ အချိုဓါတ် အဆင့်ကို ဖြည့်ပါ + ဒြပ် ပါဝင်မှု + နေ့စွဲ + အချိန် + တိုင်းထွာပြီး + မနက်စာ မစားမီ + မနက်စာ စားပြီး + နေ့လည်စာ မစားမီ + နေ့လည်စာ စားပြီး + ညစာ မစားမီ + ညစာ စားပြီး + အထွေထွေ + ပြန်လည် စစ်ဆေးရန် + + အခြား + မလုပ်တော့ပါ + ထည့်ရန် + ကျေးဇူးပြု၍ မှန်ကန်သော တန်ဖိုးကို ဖြည့်ပါ။ + ကျေးဇူးပြု၍ ကွက်လပ်အားလုံးကို ဖြည့်ပေးပါ။ + ဖျက်ရန် + ပြင်ရန် + ပြန်ဆိုချက် ၁ ခု ဖျက်ပြီး + UNDO + နောက်ဆုံး စစ်ဆေးမှု။ + လွန်ခဲ့သော လ အတွက် ဦးတည်ချက်။ + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + အကြောင်း + ဗားရှင်း + သုံးစွဲမှု စည်းကမ်းချက်များ + အမျိုးအစား + ကိုယ်အ​လေးချိန် + စိတ်ကြိုက် တိုင်းထွာမှု အတန်းအစား + + ကစီဓါတ်နှင့် သကြားပါဝင်မှုကို လျှော့ချရန် လတ်ဆတ်သော၊ မပြုပြင် မစီရင်ထားသည့် အစားအစာများကို စားပါ။ + သကြားနှင့် ကစီပါဝင်မှုကို ထိန်းချုပ်ရန် ထုပ်ပိုးအစားအစာများနှင့် သောက်စရာများပေါ်ရှိ အာဟာရ အညွှန်းကို ဖတ်ပါ။ + ဆိုင်များတွင် စားသောက်လျှင် ထောပတ် သို့မဟုတ် ဆီ မသုံးပဲ ကင်ထားသည့် အသား သို့မဟုတ် ငါး ကို တောင်းဆိုပါ။ + ဆိုင်များတွင် စားသောက်လျှင် အငန်ဓါတ် ပါဝင်မှုနှုန်း နည်းသည့် ဟင်းလျာများ ရှိမရှိ မေးပါ။ + ဆိုင်များတွင် စားသောက်လျှင် အိမ်တွင် စားနေကျ ပမာဏအတိုင်း စားပါ။ မကုန်လျှင် အိမ်သို့ ထုပ်ပိုးသွားပါ။ + ဆိုင်များတွင် စားသောက်သောအခါ (အစားအသောက်စာရင်းတွင် မပါဝင်လျှင်တောင်မှ) အသီးအရွက်သုပ်ကဲ့သို့ ကယ်လိုရီနည်းသည့် အစားအသောက်များကို မှာစားပါ။ + ဆိုင်များတွင် စားသောက်သောအခါ အစားထိုးစားသောက်နိုင်သည်များကို မေးပါ။ ပြင်သစ်အာလူးကြော်အစား အသီးအရွက်သုပ်၊ ဗိုလ်စားပဲ သို့မဟုတ် ပန်းဂေါ်ဖီစိမ်းကဲ့သို့ အသီးအနှံ၊ ဟင်းသီးဟင်းရွက်ကို နှစ်ပွဲ မှာယူစားသုံးပါ။ + ဆိုင်များတွင် စားသောက်သောအခါ ဖုတ်ထားခြင်း၊ ကြော်လှော်ထားခြင်း မဟုတ်သည့် အစားအသောက်များကို မှာယူစားသုံးပါ။ + ဆိုင်များတွင် စားသောက်သောအခါ အချဉ်ရည်၊ ဟင်းနှစ်ရည်နှင့် အသုပ်ဆမ်း ဟင်းနှစ်ရည်တို့ကို ဟင်းရံအနေဖြင့် မေးမြန်းမှာယူပါ။ + သကြားမပါဝင်ပါ သည် တကယ်သကြားမပါဝင်ဟု မဆိုလိုပါ။ ၄င်းသည် တစ်ပွဲတွင် သကြား 0.5 ဂရမ် ပါဝင်သည်ဟု ဆိုလိုသည်။ ထို့ကြောင့် သကြားမပါဝင်ဟုဆိုသည့် အရာများကို လွန်လွန်ကျူးကျူး မစားသုံးမိရန် သတိပြုစေလိုပါသည်။ + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + သင်၏ဆရာဝန်နှင့် တစ်နှစ်တစ်ကြိမ် ပြသခြင်းနှင့် နှစ်ကုန်တိုင်း ပုံမှန် အဆက်အသွယ် ရှိနေခြင်းက ရုတ်တရက်ဖြစ်မည့် ကျန်းမာရေးပြဿနာများ ဖြစ်ခြင်းမှ ကာဖို့အတွက် အရေးကြီးသည်. + သင်၏ဆေးဝါးအတွင်းရှိ သေးငယ်သော ဆေးပမာဏသည်ပင်လျှင် သင်၏သွေး ဂလူးကို့စ် ပမာဏနှင့် အခြားသော ဘေးထွက်ဆိုးကျိုးများဖြစ်နိုင်သောကြောင့် ဆရာဝန်ညွှန်ကြားထားသည့်အတိုင်း ဆေးဝါးများကို သောက်သုံးပါ. မှတ်မိဖို့ ခက်ခဲပါက ဆေးဝါး စီမံခန့်ခွဲခြင်းနှင့် အသိပေးချက် အကြောင်းကို ဆရာဝန် ကို မေးပါ. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + အကူ + အခုပဲ အဆင့်မြှင့်ပါ + အိုကေ၊ ရပြီ + အကြံပြုချက် ပေးရန် + ပြန်ဆိုချက် ထည့်ရန် + သင့် ကိုယ်အလေးချိန်ကို ပြင်ရန် + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + အတန်းအစား ဖန်တီးရန် + ဂလူးကို့စ် အချက်အလက်အတွက် Glucosio က ပုံသေ ကဏ္ဍများဖြင့် ထည့်သွင်းထားပါသည် သို့ရာတွင် သင်၏လိုအပ်ချက်နှင့် ကိုက်ညီရန် စိတ်ကြိုက်ကဏ္ဍများကို အပြင်အဆင်များထဲတွင် ဖန်တီးနိုင်ပါသည်. + ဒီနေရာကို မကြာခဏ စစ်ဆေးပါ + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + အကြံပြုချက် ပေးပို့ရန် + နည်းပညာ အခက်အခဲများ သို့မဟုတ် Glucosio နှင့် ပတ်သက်၍ တုံ့ပြန်လိုပါက Glucosio ကို ပိုမိုကောင်းမွန်ဖို့ ကူညီရန် အပြင်အဆင် စာရင်းတွင် ကျွန်ုပ်တို့ကို ပေးပို့ပါ. + ပြန်ဆိုချက် တစ်ခု ထည့်ပါ + သင်၏ ဂလူးကို့စ် ဖတ်ခြင်းကို ပုံမှန် ဖြစ်အောင်လုပ်ပေးပါ အဲလိုဆိုရင် ကျွန်ုပ်တို့က သင်၏ဂလူးကို့စ် ပမာဏကို အချိန်တိုင်း စောင့်ကြည့်ဖို့ ကူညီမှာပါ. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + အနည်းဆုံး တန်ဖိုး + အများဆုံး တန်ဖိုး + TRY IT NOW + diff --git a/app/src/main/res/android/values-na-rNR/google-playstore-strings.xml b/app/src/main/res/android/values-na-rNR/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-na-rNR/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-na-rNR/strings.xml b/app/src/main/res/android/values-na-rNR/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-na-rNR/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-nb-rNO/google-playstore-strings.xml b/app/src/main/res/android/values-nb-rNO/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-nb-rNO/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-nb-rNO/strings.xml b/app/src/main/res/android/values-nb-rNO/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-nb-rNO/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-nds-rDE/google-playstore-strings.xml b/app/src/main/res/android/values-nds-rDE/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-nds-rDE/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-nds-rDE/strings.xml b/app/src/main/res/android/values-nds-rDE/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-nds-rDE/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-ne-rNP/google-playstore-strings.xml b/app/src/main/res/android/values-ne-rNP/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-ne-rNP/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-ne-rNP/strings.xml b/app/src/main/res/android/values-ne-rNP/strings.xml new file mode 100644 index 00000000..d1c77070 --- /dev/null +++ b/app/src/main/res/android/values-ne-rNP/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + सेटिङहरु + प्रतिक्रिया पठाउनुहोस् + सर्वेक्षण + इतिहास + सुझाव + नमस्कार। + नमस्कार। + उपयोग सर्तहरु। + मैले उपयोग सर्तहरु पढिसकेँ र स्वीकार गर्दछु + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + शुरुवात गर्नु अघि हामिलाई केहि कुराहरु चाहिनेछ। + देश + उमेर + कृपया ठिक उमेर हाल्नुहोला। + लिङ्ग + पुरुष + महिला + अन्य + मधुमेहको प्रकार + प्रकार १ + प्रकार २ + Preferred unit + Share anonymous data for research. + You can change these in settings later. + अर्को + शुरुवात गर्नुहोस्। + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + मिति + समय + नापिएको + बिहानी नाश्ता अघि + बिहानी नाश्ता पछि + खाजा अघि + खाजा पछि + रात्री भोजन अघि + रात्री भोजन पछि + साधारन + पुन:हेर्नुहोस् + रात्री + अन्य + रद्द + थप्नुहोस् + कृपया ठिक मान हाल्नुहोस्। + कृपया सबै क्षेत्रहरु भर्नुहोस्। + हटाउनुहोस + सम्पादन + एउटा हटाइयो + undo + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-ng-rNA/google-playstore-strings.xml b/app/src/main/res/android/values-ng-rNA/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-ng-rNA/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-ng-rNA/strings.xml b/app/src/main/res/android/values-ng-rNA/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-ng-rNA/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-nl-rNL/google-playstore-strings.xml b/app/src/main/res/android/values-nl-rNL/google-playstore-strings.xml new file mode 100644 index 00000000..dfc4cb73 --- /dev/null +++ b/app/src/main/res/android/values-nl-rNL/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is een gebruikersgerichte gratis en opensource-app voor mensen met diabetes + Door Glucosio te gebruiken kunt u bloedsuikerspiegels invoeren en bijhouden, anoniem diabetesonderzoek steunen door demografische en geanonimiseerde trends in glucosegehalten te delen, en nuttige tips verkrijgen via onze assistent. Glucosio respecteert uw privacy, en u houdt altijd de controle over uw gegevens. + * Gebruikersgericht. Glucosio-apps zijn gebouwd met functies en een ontwerp die aan de wens van de gebruiker voldoen, en we staan altijd open voor feedback ter verbetering. + * Open source. Glucosio-apps bieden de vrijheid om de broncode van al onze apps te gebruiken, kopiëren, bestuderen en te wijzigen en zelfs aan het Glucosio-project mee te werken. + * Gegevens beheren. Met Glucosio kunt u uw diabetesgegevens bijhouden en beheren vanuit een intuïtieve, moderne interface die met feedback van diabetici is gebouwd. + * Onderzoek steunen. Glucosio-apps bieden gebruikers de keuze te opteren voor het delen van geanonimiseerde diabetesgegevens en demografische info met onderzoekers. + Meld eventuele bugs, problemen of aanvragen voor functies op: + https://github.com/glucosio/android + Meer details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-nl-rNL/strings.xml b/app/src/main/res/android/values-nl-rNL/strings.xml new file mode 100644 index 00000000..33ca9d2c --- /dev/null +++ b/app/src/main/res/android/values-nl-rNL/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Instellingen + Feedback verzenden + Overzicht + Geschiedenis + Tips + Hallo. + Hallo. + Gebruiksvoorwaarden. + Ik heb de gebruiksvoorwaarden gelezen en geaccepteerd + De inhoud van de Glucosio-website en -apps, zoals tekst, afbeeldingen en ander materiaal (\'Inhoud\'), dient alleen voor informatieve doeleinden. De inhoud is niet bedoeld als vervanging voor professioneel medisch(e) advies, diagnose of behandeling. Gebruikers van Glucosio wordt aanbevolen bij eventuele vragen over een medische toestand altijd het advies van uw arts of andere gekwalificeerde gezondheidszorgverlener te raadplegen. Negeer nooit professioneel medisch advies en vermijd vertraging in het opvragen ervan omdat u iets op de Glucosio-website of in onze apps hebt gelezen. De Glucosio-website, -blog, -wiki en andere via een webbrowser toegankelijke inhoud (\'Website\') dienen alleen voor het hierboven beschreven doel te worden gebruikt.\n Het vertrouwen op enige informatie die door Glucosio, Glucosio-teamleden, vrijwilligers en anderen wordt aangeboden en op de website of in onze apps verschijnt, is geheel op eigen risico. De Website en de Inhoud worden op een ‘as is’-basis aangeboden. + We hebben even wat info nodig voordat u aan de slag kunt. + Land + Leeftijd + Voer een geldige leeftijd in. + Geslacht + Man + Vrouw + Overig + Type diabetes + Type 1 + Type 2 + Voorkeurseenheid + Anonieme gegevens delen voor onderzoek + U kunt dit later wijzigen in de instellingen. + VOLGENDE + AAN DE SLAG + Nog geen info beschikbaar. \n Voeg hier uw eerste uitlezing toe. + Bloedsuikerspiegel toevoegen + Concentratie + Datum + Tijd + Gemeten + Voor het ontbijt + Na het ontbijt + Voor de lunch + Na de lunch + Voor het avondeten + Na het avondeten + Algemeen + Opnieuw controleren + Nacht + Anders + ANNULEREN + TOEVOEGEN + Voer een geldige waarde in. + Vul alle velden in. + Verwijderen + Bewerken + 1 uitlezing verwijderd + ONGEDAAN MAKEN + Laatste controle: + Trend in afgelopen maand: + binnen bereik en gezond + Maand + Dag + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + Over + Versie + Gebruiksvoorwaarden + Type + Gewicht + Categorie met eigen metingen + + Eet meer vers, onverwerkt voedsel om inname van koolhydraten en suikers te verminderen. + Lees het voedingslabel op voorverpakt voedsel en drinkwaren om inname van suikers en koolhydraten te beheersen. + Als u buiten de deur eet, vraag dan om vis of vlees dat zonder extra boter of olie is gebakken. + Als u buiten de deur eet, vraag dan om zoutarme schotels. + Als u buiten de deur eet, hanteer dan dezelfde portiegroottes als dat u thuis zou doen en neem mee wat over is. + Als u buiten de deur eet, vraag dan om items met weinig calorieën, zoals saladedressings, zelfs als ze niet op het menu staan. + Als u buiten de deur eet, vraag dan om vervangingen. Vraag in plaats van patat om een dubbele portie van iets vegetarisch, zoals salade, sperziebonen of broccoli. + Als u buiten de deur eet, bestel dan voedsel dat niet is gepaneerd of gebakken. + Als u buiten de deur eet, vraag dan om sauzen, jus en saladedressings \'aan de zijkant\'. + Suikervrij betekent niet echt suikervrij. Het betekent 0,5 gram (g) suiker per portie, dus voorkom dat u zich met te veel suikervrije items verwent. + Streven naar een gezond gewicht helpt bloedsuikers te beheersen. Uw arts, een diëtist en een fitnesstrainer kunnen u op weg helpen met een schema dat voor u werkt. + Twee maal per dag controleren en bijhouden van uw bloedspiegel in een app als Glucosio helpt u bewust te worden van resultaten van keuzes in voedsel en levensstijl. + Vraag om A1c-bloedtests om achter uw gemiddelde bloedsuikerspiegel van de afgelopen 2 tot 3 maanden te komen. Uw arts kan vertellen hoe vaak deze test dient te worden uitgevoerd. + Bijhouden hoeveel koolhydraten u verbruikt kan net zo belangrijk zijn als het controleren van bloedspiegels, omdat koolhydraten bloedsuikerspiegels beïnvloeden. Praat met uw arts of een diëtist over de inname van koolhydraten. + Het beheersen van bloeddruk-, cholesterol- en triglyceridenniveaus is belangrijk, omdat diabetici gevoelig zijn voor hartziekten. + Er zijn diverse dieetbenaderingen die u kunt nemen om gezonder te eten en uw diabetesresultaten te verbeteren. Zoek advies bij een diëtist over wat het beste voor u en uw budget werkt. + Het werken aan regelmatige lichaamsbeweging is met name belangrijk voor mensen met diabetes en kan u helpen op gezond gewicht te blijven. Praat met uw arts over oefeningen die passend voor u zijn. + Slaaptekort kan ervoor zorgen dat u meer eet, met name dingen zoals junkfood, met als resultaat dat uw gezondheid negatief wordt beïnvloed. Zorg voor een goede nachtrust en raadpleeg een slaapspecialist als u hier moeite mee hebt. + Stress kan een negatieve invloed hebben op diabetes. Praat met uw arts of andere gezondheidsspecialist over omgaan met stress. + Eenmaal per jaar uw arts bezoeken en het hele jaar door communiceren is belangrijk voor diabetici om eventuele plotselinge aanvang van gerelateerde gezondheidsproblemen te voorkomen. + Neem uw medicijnen zoals door uw arts voorgeschreven; zelfs korte pauzes in uw medicijninname kunnen uw bloedsuikerspiegel beïnvloeden en andere bijwerkingen veroorzaken. Als u moeite hebt met het onthouden ervan, vraag dan uw arts om medicatiebeheer en herinneringsopties. + + + Oudere diabetici kunnen een hoger risico op aan diabetes gerelateerde gezondheidsproblemen lopen. Praat met uw arts over in hoeverre uw leeftijd een rol speelt in uw diabetes en waar u op moet letten. + Beperk de hoeveelheid zout die u gebruikt om voedsel te koken en die u aan maaltijden toevoegt nadat het is gekookt. + + Assistent + NU BIJWERKEN + OK, BEGREPEN + FEEDBACK VERZENDEN + UITLEZING TOEVOEGEN + Uw gewicht bijwerken + Zorg ervoor dat u uw gewicht bijwerkt, zodat Glucosio de meest accurate gegevens bevat. + Uw onderzoeks-opt-in bijwerken + U kunt altijd opteren voor het delen van diabetesonderzoeksgegevens, maar onthoud dat alle gedeelde gegevens volledig anoniem zijn. We delen alleen trends in demografie en glucosegehalten. + Categorieën maken + Glucosio bevat standaardcategorieën voor glucose-invoer, maar in de instellingen kunt u eigen categorieën maken die aan uw unieke behoeften voldoen. + Kijk hier regelmatig + Glucosio-assistent levert regelmatig tips en wordt continu verbeterd, dus kijk altijd hier voor nuttige acties die u kunt nemen om uw Glucosio-ervaring te verbeteren en voor andere nuttige tips. + Feedback verzenden + Als u technische problemen tegenkomt of feedback over Glucosio hebt, zien we graag dat u deze indient in het instellingenmenu om Glucosio te helpen verbeteren. + Een uitlezing toevoegen + Zorg ervoor dat u regelmatig uw glucose-uitlezingen toevoegt, zodat we kunnen helpen uw glucosegehalten in de loop der tijd bij te houden. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Voorkeursbereik + Aangepast bereik + Min. waarde + Max. waarde + NU PROBEREN + diff --git a/app/src/main/res/android/values-nn-rNO/google-playstore-strings.xml b/app/src/main/res/android/values-nn-rNO/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-nn-rNO/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-nn-rNO/strings.xml b/app/src/main/res/android/values-nn-rNO/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-nn-rNO/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-no-rNO/google-playstore-strings.xml b/app/src/main/res/android/values-no-rNO/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-no-rNO/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-no-rNO/strings.xml b/app/src/main/res/android/values-no-rNO/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-no-rNO/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-nr-rZA/google-playstore-strings.xml b/app/src/main/res/android/values-nr-rZA/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-nr-rZA/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-nr-rZA/strings.xml b/app/src/main/res/android/values-nr-rZA/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-nr-rZA/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-ns-rZA/google-playstore-strings.xml b/app/src/main/res/android/values-ns-rZA/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-ns-rZA/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-ns-rZA/strings.xml b/app/src/main/res/android/values-ns-rZA/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-ns-rZA/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-ny-rMW/google-playstore-strings.xml b/app/src/main/res/android/values-ny-rMW/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-ny-rMW/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-ny-rMW/strings.xml b/app/src/main/res/android/values-ny-rMW/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-ny-rMW/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-oc-rFR/google-playstore-strings.xml b/app/src/main/res/android/values-oc-rFR/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-oc-rFR/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-oc-rFR/strings.xml b/app/src/main/res/android/values-oc-rFR/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-oc-rFR/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-oj-rCA/google-playstore-strings.xml b/app/src/main/res/android/values-oj-rCA/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-oj-rCA/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-oj-rCA/strings.xml b/app/src/main/res/android/values-oj-rCA/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-oj-rCA/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-om-rET/google-playstore-strings.xml b/app/src/main/res/android/values-om-rET/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-om-rET/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-om-rET/strings.xml b/app/src/main/res/android/values-om-rET/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-om-rET/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-or-rIN/google-playstore-strings.xml b/app/src/main/res/android/values-or-rIN/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-or-rIN/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-or-rIN/strings.xml b/app/src/main/res/android/values-or-rIN/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-or-rIN/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-os-rSE/google-playstore-strings.xml b/app/src/main/res/android/values-os-rSE/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-os-rSE/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-os-rSE/strings.xml b/app/src/main/res/android/values-os-rSE/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-os-rSE/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-pa-rIN/google-playstore-strings.xml b/app/src/main/res/android/values-pa-rIN/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-pa-rIN/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-pa-rIN/strings.xml b/app/src/main/res/android/values-pa-rIN/strings.xml new file mode 100644 index 00000000..a211cb39 --- /dev/null +++ b/app/src/main/res/android/values-pa-rIN/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + ਸੈਟਿੰਗ + ਫੀਡਬੈਕ ਭੇਜੋ + ਸੰਖੇਪ ਜਾਣਕਾਰੀ + ਇਤਿਹਾਸ + ਨੁਕਤੇ + ਹੈਲੋ। + ਹੈਲੋ। + ਵਰਤੋਂ ਦੀਆਂ ਸ਼ਰਤਾਂ। + ਮੈਂ ਵਰਤੋਂ ਦੀਆਂ ਸ਼ਰਤਾਂ ਨੂੰ ਪੜ੍ਹਿਆ ਅਤੇ ਸਵੀਕਾਰ ਕਰਦਾ ਹਾਂ + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + ਤੁਹਾਨੂੰ ਸ਼ੁਰੂ ਕਰਵਾਉਣ ਤੋਂ ਪਹਿਲਾਂ ਸਾਨੂੰ ਸਿਰਫ਼ ਕੁੱਝ ਚੀਜ਼ਾਂ ਦੀ ਜ਼ਰੂਰਤ ਹੈ। + ਦੇਸ਼ + ਉਮਰ + ਕਿਰਪਾ ਕਰਕੇ ਸਹੀ ਉਮਰ ਦਰਜ ਕਰੋ। + ਲਿੰਗ + ਮਰਦ + ਔਰਤ + ਹੋਰ + ਸ਼ੂਗਰ ਦੀ ਕਿਸਮ + ਕਿਸਮ 1 + ਕਿਸਮ 2 + ਤਰਜੀਹੀ ਇਕਾਈ + ਖੋਜ ਲਈ ਗੁਮਨਾਮ ਡਾਟਾ ਸਾਂਝਾ ਕਰੋ। + ਬਾਅਦ ਵਿੱਚ ਸੈਟਿੰਗਾਂ ਵਿੱਚ ਤੁਸੀਂ ਇਸ ਨੂੰ ਬਦਲ ਸਕਦੇ ਹੋ। + ਅੱਗੇ + ਸ਼ੁਰੂ ਕਰੋ + ਹਾਲੇ ਕੋਈ ਜਾਣਕਾਰੀ ਉਪਲਬਧ ਨਹੀਂ।\n ਇੱਥੇ ਆਪਣੀ ਪਹਿਲੀ ਰਿਡਿੰਗ ਸ਼ਾਮਲ ਕਰੋ। + ਖੂਨ ਵਿੱਚ ਗਲੂਕੋਜ਼ ਦਾ ਪੱਧਰ ਸ਼ਾਮਲ ਕਰੋ + ਮਾਤਰਾ + ਮਿਤੀ + ਸਮਾਂ + ਮਾਪਿਆ + ਨਾਸ਼ਤੇ ਤੋਂ ਪਹਿਲਾਂ + ਨਾਸ਼ਤੇ ਤੋਂ ਬਾਅਦ + ਦੁਪਹਿਰ ਦੇ ਖਾਣੇ ਤੋਂ ਪਹਿਲਾਂ + ਦੁਪਹਿਰ ਦੇ ਖਾਣੇ ਤੋਂ ਬਾਅਦ + ਰਾਤ ਦੇ ਖਾਣੇ ਤੋਂ ਪਹਿਲਾਂ + ਰਾਤ ਦੇ ਖਾਣੇ ਤੋਂ ਬਾਅਦ + ਆਮ + ਮੁੜ-ਜਾਂਚ ਕਰੋ + ਰਾਤ + ਹੋਰ + ਰੱਦ ਕਰੋ + ਸ਼ਾਮਲ ਕਰੋ + ਕਿਰਪਾ ਕਰਕੇ ਇੱਕ ਸਹੀ ਮੁੱਲ ਦਰਜ ਕਰੋ। + ਕਿਰਪਾ ਕਰਕੇ ਸਾਰੀਆਂ ਥਾਵਾਂ ਭਰੋ। + ਹਟਾਓ + ਸੋਧ ਕਰੋ + 1 ਰੀਡਿੰਗ ਹਟਾਈ + ਵਾਪਸ + ਆਖਰੀ ਜਾਂਚ: + ਪਿਛਲੇ ਮਹੀਨਾ ਦਾ ਰੁਝਾਨ: + ਹੱਦ ਵਿੱਚ ਅਤੇ ਸਿਹਤਮੰਦ + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + ਬਾਰੇ + ਵਰਜਨ + ਸੇਵਾ ਦੀਆਂ ਸ਼ਰਤਾਂ + ਕਿਸਮ + ਭਾਰ + ਮਨਪਸੰਦ ਮਾਪ ਵਰਗ + + ਜ਼ਿਆਦਾ ਤਾਜ਼ਾ ਖਾਓ, ਅਣ-ਪ੍ਰੋਸੈਸਡ ਖਾਣਾ ਕਾਰਬੋਹਾਈਡਰੇਟ ਅਤੇ ਖੰਡ ਲੈਣਾ ਘਟਾਉਣ ਵਿੱਚ ਸਹਾਇਤਾ ਕਰਦਾ। + ਕਾਰਬੋਹਾਈਡਰੇਟ ਅਤੇ ਖੰਡ ਲੈਣਾ ਕਾਬੂ ਕਰਨ ਲਈ ਪੈਕ ਹੋਏ ਖਾਣਿਆਂ ਅਤੇ ਪੀਣ ਵਾਲੀਆਂ ਚੀਜ਼ਾਂ ਦੇ ਪੋਸ਼ਟਿਕ ਲੇਬਲ ਪੜ੍ਹੋ। + ਜਦੋਂ ਬਾਹਰ ਖਾਣਾ ਖਾਓ, ਮੱਛੀ ਜਾਂ ਮੀਟ ਨੂੰ ਜਿਆਦਾ ਮੱਖਣ ਜਾਂ ਤੇਲ ਦੇ ਬਿਨਾਂ ਭੁੱਜਣ ਲਈ ਕਹੋ। + ਜਦੋਂ ਬਾਹਰ ਖਾਣਾ ਖਾਓ, ਘੱਟ ਸੋਡੀਅਮ ਵਾਲੇ ਪਕਵਾਨਾਂ ਬਾਰੇ ਪੁੱਛੋ। + ਜਦੋਂ ਬਾਹਰ ਖਾਣਾ ਖਾਓ, ਓਨੇ ਹੀ ਆਕਾਰ ਦੇ ਹਿੱਸੇ ਖਾਓ ਜਿੰਨੇ ਤੁਸੀਂ ਘਰ ਖਾਂਦੇ ਹੋ ਅਤੇ ਬਾਕੀ ਨੂੰ ਆਪਣੇ ਨਾਲ ਲੈ ਜਾਓ। + ਜਦੋਂ ਬਾਹਰ ਖਾਓ ਤਾਂ ਘੱਟ-ਕੈਲੋਰੀ ਚੀਜ਼ਾਂ ਬਾਰੇ ਪੁੱਛੋ, ਜਿਵੇਂ ਸਲਾਦ ਚਟਨੀਆਂ, ਭਾਵੇਂ ਉਹ ਮੀਨੂੰ ਵਿੱਚ ਨਾ ਹੋਣ। + ਜਦੋਂ ਬਾਹਰ ਖਾਣਾ ਖਾਓ ਵਟਾਂਦਰੇ ਬਾਰੇ ਪੁੱਛੋ, ਜਿਵੇਂ ਕਿ ਫ੍ਰੈਂਚ ਫ੍ਰਾਈਜ਼ ਦੀ ਥਾਂ ਤੇ, ਸਬਜ਼ੀਆਂ ਦੇ ਸਲਾਦ ਜਿਵੇਂ ਹਰੀਆਂ ਫਲ੍ਹਿਆਂ ਜਾਂ ਗੋਭੀ ਦੇ ਡਬਲ ਆਰਡਰ ਦੀ ਬੇਨਤੀ ਕਰੋ। + ਜਦੋਂ ਬਾਹਰ ਖਾਣਾ ਖਾਓ, ਉਸ ਭੋਜਨ ਦਾ ਆਰਡਰ ਕਰੋ ਜੋ ਡਬਲਰੋਟੀ ਜਾਂ ਤਲਿਆ ਨਾ ਹੋਵੇ। + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + ਸ਼ੂਗਰ ਫ੍ਰੀ ਦਾ ਅਸਲ ਮਤਲਬ ਬਿਲਕੁਲ ਖੰਡ ਨਾ ਹੋਣਾ ਨਹੀਂ ਹੈ। ਇਸ ਦਾ ਮਤਲਬ ਹਰੇਕ ਹਰੇਕ ਹਿੱਸੇ ਵਿੱਚ 0.5 ਗ੍ਰਾਮ ਖੰਡ ਹੈ, ਇਸ ਲਈ ਬਹੁਤ ਸਾਰੀਆਂ ਸ਼ੂਗਰ ਫ੍ਰੀ ਚੀਜ਼ਾਂ ਲੈਣ ਸਮੇਂ ਸੁਚੇਤ ਰਹੋ। + ਚੰਗਾ ਭਾਰ ਬਣਾਈ ਰੱਖਣਾ ਖੂਨ ਵਿੱਚ ਸ਼ੂਗਰ ਨੂੰ ਕਾਬੂ ਰੱਖਣ ਵਿੱਚ ਸਹਾਇਤਾ ਕਰਦਾ ਹੈ। ਤੁਹਾਡਾ ਡਾਕਟਰ, ਡਾਈਟੀਸ਼ੀਅਨ ਅਤੇ ਫਿਟਨੈੱਸ ਟ੍ਰੇਨਰ ਤੁਹਾਨੂੰ ਇੱਕ ਯੋਜਨਾ ਸ਼ੁਰੂ ਕਰਵਾ ਸਕਦਾ ਜੋ ਤੁਹਾਡੇ ਲਈ ਵਧੀਆ ਰਹੇਗੀ। + ਆਪਣੇ ਖੂਨ ਪੱਧਰ ਦੀ ਜਾਂਚ ਕਰਨਾ ਅਤੇ ਇਸ ਤੇ ਦਿਨ ਵਿੱਚ ਦੋ ਵਾਰ Glucosio ਵਰਗੀ ਐਪ ਨਾਲ ਨਜ਼ਰ ਰੱਖਣਾ ਭੋਜਨ ਅਤੇ ਜੀਵਨਸ਼ੈਲੀ ਪਸੰਦਾਂ ਦੇ ਨਤੀਜਿਆਂ ਦਾ ਧਿਆਨ ਰੱਖਣ ਵਿੱਚ ਸਹਾਇਤਾ ਕਰਦਾ ਹੈ। + ਪਿਛਲੇ 2 ਤੋਂ 3 ਮਹੀਨਿਆਂ ਵਿੱਚ ਆਪਣੇ ਖੂਨ ਵਿੱਚ ਔਸਤ ਸ਼ੂਗਰ ਪੱਧਰ ਦਾ ਪਤਾ ਲਗਾਉਣ ਲਈ A1c ਖੂਨ ਟੈਸਟ ਲਓ। ਤੁਹਾਡਾ ਡਾਕਟਰ ਤੁਹਾਨੂੰ ਦੱਸੇਗਾ ਕੀ ਤੁਹਾਨੂੰ ਇਹ ਟੈਸਟ ਨੂੰ ਕਿੰਨੀ ਵਾਰ ਕਰਵਾਉਣ ਦੀ ਲੋੜ ਪਵੇਗੀ। + ਤੁਸੀਂ ਕਿੰਨੇ ਕਾਰਬੋਹਾਈਡਰੇਟ ਲੈਂਦੇ ਹੋ ਇਸ ਤੇ ਨਜ਼ਰ ਰੱਖਣਾ ਉਨ੍ਹਾਂ ਹੀ ਜ਼ਰੂਰੀ ਹੈ ਜਿੰਨ੍ਹਾ ਖੂਨ ਦੇ ਪੱਧਰ ਦੀ ਜਾਂਚ ਕਰਨਾ ਕਿਉਂਕਿ ਕਾਰਬੋਹਾਈਡਰੇਟ ਖੂਨ ਵਿੱਚ ਸ਼ੂਗਰ ਦੇ ਪੱਧਰ ਤੇ ਅਸਰ ਪਾਉਂਦੇ ਹਨ। ਆਪਣੇ ਡਾਕਟਰ ਜਾਂ ਡਾਈਟੀਸ਼ੀਅਨ ਨਾਲ ਕਾਰਬੋਹਾਈਡਰੇਟ ਲੈਣ ਬਾਰੇ ਗੱਲਬਾਤ ਕਰੋ। + ਬਲੱਡ ਪ੍ਰੈਸ਼ਰ, ਕੋਲੈਸਟਰੋਲ ਅਤੇ ਟਰਾਈਗਲਿਸਰਾਈਡਸ ਦੇ ਪੱਧਰਾਂ ਨੂੰ ਕਾਬੂ ਰੱਖਣਾ ਜ਼ਰੂਰੀ ਹੈ ਕਿਉਂਕਿ ਸ਼ੂਗਰ ਦੇ ਮਰੀਜ਼ ਅਸਾਨੀ ਦਿਲ ਦੀਆਂ ਬੀਮਾਰੀਆਂ ਦੇ ਸ਼ਿਕਾਰ ਹੋ ਜਾਂਦੇ ਹਨ। + ਸਿਹਤਮੰਦ ਖਾਣ ਲਈ ਵੱਖ-ਵੱਖ ਤਰ੍ਹਾਂ ਦੇ ਭੋਜਨਾਂ ਦੀ ਵਰਤੋਂ ਅਤੇ ਆਪਣੇ ਸ਼ੂਗਰ ਦੇ ਨਤੀਜਿਆਂ ਵਿੱਚ ਸੁਧਾਰ ਕਰ ਸਕਦੇ ਹੋ। ਤੁਹਾਡੇ ਬਜਟ ਅਤੇ ਤੁਹਾਡੇ ਲਈ ਕੀ ਵਧੀਆ ਰਹੇਗਾ ਇਸ ਬਾਰੇ ਡਾਈਟੀਸ਼ੀਅਨ ਤੋਂ ਸਲਾਹ ਲਓ। + ਰੋਜ਼ਾਨਾ ਕਸਰਤ ਕਰਨਾ ਖ਼ਾਸ ਤੌਰ ਤੇ ਸ਼ੂਗਰ ਦੇ ਮਰੀਜਾਂ ਲਈ ਲਾਹੇਵੰਦ ਹੁੰਦਾ ਅਤੇ ਇੱਕ ਚੰਗਾ ਭਾਰ ਬਣਾਈ ਰੱਖਣ ਵਿੱਚ ਸਹਾਇਤਾ ਕਰਦਾ ਹੈ। ਆਪਣੇ ਡਾਕਟਰ ਨਾਲ ਕਸਰਤਾਂ ਬਾਰੇ ਗੱਲਬਾਤ ਕਰੋ ਜੋ ਤੁਹਾਡੇ ਲਈ ਢੁਕਵੀਆਂ ਹੋਣ। + ਨੀਂਦ ਦੀ ਕਮੀ ਕਾਰਨ ਤੁਸੀਂ ਜੰਕ ਫੂਡ ਵਰਗੀਆਂ ਚੀਜ਼ਾਂ ਜ਼ਿਆਦਾ ਖਾਂਦੇ ਹੋ ਜਿਸ ਨਾਲ ਤੁਹਾਡੀ ਸਿਹਤ ਤੇ ਮਾੜਾ ਅਸਰ ਪੈ ਸਕਦਾ ਹੈ। ਰਾਤ ਨੂੰ ਚੰਗੀ ਨੀਂਦ ਲੈਣਾ ਯਕੀਨੀ ਬਣਾਓ ਅਤੇ ਜੇਕਰ ਤੁਹਾਨੂੰ ਇਸ ਵਿੱਚ ਮੁਸ਼ਕਲ ਆ ਰਹੀ ਹੈ ਤਾਂ ਇੱਕ ਨੀਂਦ ਮਾਹਰ ਨਾਲ ਸਲਾਹ-ਮਸ਼ਵਰਾ ਕਰੋ। + ਤਣਾਅ ਦਾ ਸ਼ੂਗਰ ਤੇ ਮਾੜਾ ਪ੍ਰਭਾਵ ਪੈ ਸਕਦਾ ਆਪਣੇ ਡਾਕਟਰ ਜਾਂ ਹੋਰ ਸਿਹਤ ਦੇਖਭਾਲ ਪੇਸ਼ੇਵਰ ਨਾਲ ਤਣਾਅ ਨਾਲ ਨਜਿੱਠਣ ਬਾਰੇ ਗੱਲਬਾਤ ਕਰੋ। + ਸ਼ੂਗਰ ਮਰੀਜਾਂ ਲਈ ਸਾਲ ਵਿੱਚ ਇੱਕ ਵਾਰ ਆਪਣੇ ਡਾਕਟਰ ਕੋਲ ਜਾਣਾ ਅਤੇ ਸਾਰੇ ਸਾਲ ਦੌਰਾਨ ਲਗਾਤਾਰ ਸੰਪਰਕ ਵਿੱਚ ਰਹਿਣਾ ਜ਼ਰੂਰੀ ਹੈ ਇਹ ਸਿਹਤ ਸਮੱਸਿਆਵਾਂ ਨਾਲ ਸੰਬੰਧਤ ਕਿਸੇ ਵੀ ਤਰ੍ਹਾਂ ਦੇ ਅਚਾਨਕ ਹਮਲੇ ਨੂੰ ਰੋਕਦਾ ਹੈ। + ਆਪਣੇ ਡਾਕਟਰ ਦੀ ਤਜਵੀਜ਼ ਅਨੁਸਾਰ ਆਪਣੀ ਦਵਾਈ ਲਓ ਆਪਣੀ ਦਵਾਈ ਲੈਣ ਵਿੱਚ ਕੀਤੀਆਂ ਛੋਟੀਆਂ ਗਲਤੀਆਂ ਨਾਲ ਤੁਹਾਡੇ ਖੂਨ ਵਿੱਚ ਗਲੂਕੋਜ਼ ਦੇ ਪੱਧਰ ਤੇ ਅਸਰ ਅਤੇ ਹੋਰ ਮਾੜੇ ਪ੍ਰਭਾਵ ਪੈ ਸਕਦੇ ਹਨ। ਜੇਕਰ ਤੁਹਾਨੂੰ ਯਾਦ ਰੱਖਣ ਵਿੱਚ ਮੁਸ਼ਕਲ ਹੁੰਦੀ ਹੈ ਤਾਂ ਆਪਣੇ ਡਾਕਟਰ ਨੂੰ ਦਵਾਈ ਮੈਨੇਜਮੈਂਟ ਅਤੇ ਰੀਮਾਈਂਡਰ ਚੋਣਾਂ ਬਾਰੇ ਪੁੱਛੋ। + + + ਵੱਡੀ ਉਮਰ ਦੇ ਮਰੀਜ਼ਾਂ ਨੂੰ ਸ਼ੂਗਰ ਨਾਲ ਸੰਬੰਧਤ ਸਿਹਤ ਸਮੱਸਿਆਵਾਂ ਦਾ ਜੋਖਮ ਵੱਧ ਹੁੰਦਾ ਹੈ। ਆਪਣੇ ਡਾਕਟਰ ਨਾਲ ਗੱਲਬਾਤ ਕਰੋ ਕਿ ਤੁਹਾਡੀ ਸ਼ੂਗਰ ਵਿੱਚ ਤੁਹਾਡੀ ਉਮਰ ਕੀ ਭੂਮਿਕਾ ਨਿਭਾਉਂਦੀ ਹੈ ਅਤੇ ਕੀ ਧਿਆਨ ਰੱਖਣਾ ਚਾਹੀਦਾ ਹੈ। + ਤੁਹਾਡੇ ਵੱਲੋਂ ਖਾਣਾ ਬਣਾਉਣ ਸਮੇਂ ਅਤੇ ਖਾਣਾ ਬਣਾਉਣ ਤੋਂ ਬਾਅਦ ਪੈਣ ਵਾਲੇ ਲੂਣ ਦੀ ਮਾਤਰਾ ਨੂੰ ਘੱਟ ਕਰੋ। + + ਸਹਾਇਕ + ਹੁਣੇ ਅੱਪਡੇਟ ਕਰੋ + ਠੀਕ, ਸਮਝ ਗਿਆ + ਫੀਡਬੈਕ ਦਿਓ + ਰੀਡਿੰਗ ਜੋੜੋ + ਆਪਣਾ ਭਾਰ ਅੱਪਡੇਟ ਕਰੋ + ਆਪਣੇ ਭਾਰ ਨੂੰ ਅੱਪਡੇਟ ਕਰਨਾ ਯਕੀਨੀ ਬਣਾਓ ਤਾਂ ਕਿ Glucosio ਕੋਲ ਬਿਲਕੁਲ ਸਹੀ ਜਾਣਕਾਰੀ ਹੋਵੇ। + ਆਪਣੀ ਖੋਜ ਭਾਗੀਦਾਰੀ ਨੂੰ ਅੱਪਡੇਟ ਕਰੋ + ਤੁਸੀਂ ਹਮੇਸ਼ਾ ਸ਼ੂਗਰ ਖੋਜ ਸਾਂਝੇਦਾਰੀ ਵਿੱਚ ਭਾਗ ਲੈ ਜਾਂ ਬਾਹਰ ਹੋ ਸਕਦੇ ਹੋ, ਯਾਦ ਰੱਖੋ ਸਾਂਝਾ ਕੀਤਾ ਡਾਟਾ ਪੂਰੀ ਤਰ੍ਹਾਂ ਗੁਪਤ ਹੈ। ਅਸੀਂ ਸਿਰਫ਼ ਜਨ ਅਤੇ ਗਲੂਕੋਜ਼ ਪੱਧਰ ਰੁਝਾਨ ਸਾਂਝੇ ਕਰਦੇ ਹਾਂ। + ਵਰਗ ਬਣਾਓ + ਗਲੂਕੋਜ਼ ਇਨਪੁੱਟ ਲਈ Glucosio ਮੂਲ ਵਰਗਾਂ ਨਾਲ ਆਉਂਦਾ ਹੈ ਪਰ ਤੁਸੀਂ ਆਪਣੀਆਂ ਜ਼ਰੂਰਤਾਂ ਮੁਤਾਬਿਕ ਸੈਟਿੰਗਾਂ ਵਿੱਚ ਤਰਜੀਹੀ ਵਰਗ ਬਣਾ ਸਕਦੇ ਹੋ। + ਇੱਥੇ ਅਕਸਰ ਵੇਖੋ + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + ਫੀਡਬੈਕ ਭੇਜੋ + ਜੇਕਰ ਤੁਹਾਨੂ ਕੋਈ ਤਕਨੀਕੀ ਸਮੱਸਿਆ ਆਈ ਜਾਂ Glucosio ਬਾਰੇ ਫੀਡਬੈਕ ਭੇਜਣਾ ਚਾਹੁੰਦੇ ਹੋ Glucosio ਨੂੰ ਵਧੀਆ ਬਣਾਉਣ ਵਿੱਚ ਸਾਡੀ ਸਹਾਇਤਾ ਲਈ ਅਸੀਂ ਤੁਹਾਨੂੰ ਇਸ ਨੂੰ ਸੈਟਿੰਗ ਮੀਨੂੰ ਤੋਂ ਭੇਜਣ ਲਈ ਉਤਸ਼ਾਹਿਤ ਕਰਦੇ ਹਾਂ। + ਰੀਡਿੰਗ ਸ਼ਾਮਲ ਕਰੋ + ਨਿਯਮਿਤ ਤੌਰ ਤੇ ਆਪਣੀ ਗਲੋਕੂਜ਼ ਰੀਡਿੰਗ ਸ਼ਾਮਲ ਕਰਨਾ ਯਕੀਨੀ ਬਣਾਓ ਤਾਂ ਕੀ ਅਸੀਂ ਤੁਹਾਡੀ ਗਲੂਕੋਜ਼ ਪੱਧਰਾਂ ਤੇ ਨਜ਼ਰ ਰੱਖਣ ਵਿੱਚ ਸਹਾਇਤਾ ਕਰ ਸਕੀਏ। + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + ਤਰਜੀਹੀ ਸੀਮਾ + ਮਨਪਸੰਦ ਸੀਮਾ + ਘੱਟੋ-ਘਂੱਟ ਮੁੱਲ + ਵੱਧੋ-ਵੱਧ ਮੁੱਲ + TRY IT NOW + diff --git a/app/src/main/res/android/values-pam-rPH/google-playstore-strings.xml b/app/src/main/res/android/values-pam-rPH/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-pam-rPH/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-pam-rPH/strings.xml b/app/src/main/res/android/values-pam-rPH/strings.xml new file mode 100644 index 00000000..eaf5f29a --- /dev/null +++ b/app/src/main/res/android/values-pam-rPH/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Mga Setting + Magpadala ng feedback + Overview + Kasaysayan + Mga Tip + Mabuhay. + Mabuhay. + Terms of Use. + Nabasa ko at tinatanggap ang Terms of Use + Ang mga nilalaman ng Glucosio website at apps, lahat ng mga teksto, larawan, imahen at iba pang materyal (\"Content\") ay inilathala para sa impormasyon lamang. Ang mga nasabing nilalaman at hindi maaring gamit sa pangpropesyunal na payong pangmedikal, pagsusuri o kagamutan. Lahat ng gumagamit ng Glucosio ay hinihikayat na magpasuri sa mga doktor o mga tagapayong pangkalusugan sa anumang katanungan hingil sa inyong sakit.\n Walang pananagutan ang Glucosio team, volunteers at mga nilalaman sa aming website sa paggamit ng aming produkto. + Kinakailangan namin ang ilang mga bagay bago tayo makapagsimula. + Bansa + Edad + Paki-enter ang tamang edad. + Kasarian + Lalaki + Babae + Iba + Uri ng diabetes + Type 1 + Type 2 + Nais na unit + Ibahagi ang anonymous data para sa pagsasaliksik. + Maaari mong palitan ang mga settings na ito mamaya. + SUSUNOD + MAGSIMULA + Walang impormasyon na nakatala. \n Magdagdag ng iyong unang reading dito. + Idagdag ang Blood Glucose Level + Konsentrasyon + Petsa + Oras + Sukat + Bago mag-agahan + Pagkatapos ng agahan + Bago magtanghalian + Pagkatapos ng tanghalian + Bago magdinner + Pagkatapos magdinner + Pangkabuuan + Suriin muli + Gabi + Iba pa + KANSELAHIN + IDAGDAG + Mag-enter ng tamang value. + Paki-punan ang lahat ng mga fields. + Burahin + I-edit + Binura ang 1 reading + I-UNDO + Huling pagsusuri: + Trend sa nakalipas na buwan: + nasa tamang sukat at ikaw ay malusog + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + Tungkol sa + Bersyon + Terms of use + Uri + Weight + Custom na kategorya para sa mga sukat + + Kumain ng mga sariwa at hindi processed na mga pagkain para makaiwas sa carbohydrate at asukal. + Basahing mabuti ang nutritional label sa mga packaged food at beverages para makontrol ang lebel ng asukal at carbohydrate sa kinakain. + Kung kakain sa labas, kumain ng isda o nilagang karne na walang mantikilya o mantika. + Kapag kumakain sa labas, kumuha ng mga low sodium na pagkain. + Kung kakain sa labas, siguraduhing ang dami ng iyong kakainin ay katulad lamang ng pagkain mo kung ikaw ay nasa bahay at huwag mag-uuwi ng mga tira. + Kung kakain sa labas, kumuha ng mga pagkaing mababa sa calorie, tulad ng salad dressings, kahit na ang mga ito ay wala sa menu. + Kung kakain sa labas, magtanong ng mga substitutions. Halimbawa, sa halip na kumain ng French Fries, kumuha ng dalawang order ng gulay tulad ng salad, green beans at repolyo. + Kung kakain sa labas, kumuha ng pagkaing hindi breaded or pinirito. + Kung kakain sa labas, humingi ng mga sauce, gravy at salad dressings bilang pang-ulam. + Hindi ibig sabihin na kapag ang isang bagay ay sugar free, wala na itong asukal. Ang ibig nitong sabihin ay mayroon lamang ito na 0.5 grams (g) ng asukal sa bawat serving, kaya mag-ingat at kumain lamang ng tamang pagkain na nagsasabing sila ay sugar free. + Ang pagkakaroon ng tamang timbang at nakatutulong sa pagkontrol ng blood sugar. Alamin ang tamang pamamaraan mula sa inyong doktor. + Ang pagsusuri ng iyong blood level at pagtatala nito sa app na katulad ng Glucosio dalawang beses sa isang araw ay makatutulong para magkaron ng mabuting pagpili sa mga kinakain at pamumuhay. + Magpakuha ng A1c blood test para malaman ang iyong blood sugar average sa nagdaang 2 hanggang 3 buwan. Sasabihin sa iyo ng iyong doktok kung gaano kadalas mo dapat ginawa ang ganitong pagsusuri. + Ang pagtatala kung ilang carbohydrates ang nasa iyong pagkain ay kasing halaga ng pagsusuri ng iyong blood levels, dahil ito ay nakaaapekto sa bawat isa. Kausapin ang iyong manggagamot para sa nararapat ng carbohydrate intake. + Ang pag-control ng iyong blood pressure, cholesterol at triglyceride levels ay mahalaga dahil ang mga diabetiko ay mas malaki ang tsansang magkasakit sa puso. + May iba\'t-ibang pamamaraan sa pagdidiyeta para makatulong na ikaw ay maging malusog at makontrol ang iyong diabetes. Kumunsulta sa isang dietician para malaman kung ano ang pinakamabuting pamamaraan ng pagdidiyeta na pasok sa iyong budget. + Ang palagiang pag-eehersisyo ay mahalaga sa mga diabetiko para mapanatili ang tamang timbang. Kumunsulta sa inyong doktor para malaman ang tamang ehersisyo sa iyo. + Kung kulang ka sa tulog, ito ay magiging sanhi para ikaw ay kumain nang mas marami at kumain ng mga junk foods na hindi maganda sa iyong kalusugan. Siguraduhing may sapat na oras ng tulog sa gabi. Sumangguni sa espesyalista kung kinakailangan. + May malaking epekto ang stress sa mga diabetiko. Kumunsulta sa inyong doktor para malaman kung paano malalabanan ang stress. + Ang pagbisita sa iyong doktor at palagiang kuminikasyon sa kaniya sa loob ng buong taon ay mahalaga para sa mga may diabetes para maiwasan ang paglubha ng iyong sakit. + Palagiang uminom ng gamot base sa payo ng inyong doktor. Ang pagliban sa pag-inom ng gamot ay may malaking epekto sa iyong blood glucose level. Kumunsulta sa inyong doktor para malaman ang pinakaepektibong pamamaraan na hindi mo malilimutang uminom ng gamot sa oras. + + + May epekto ang edad ng isang diabetiko. Kumunsulta sa inyong doktor para malaman kung anu-ano ang dapat gawin ng isang diabetikong may edad na. + Siguraduhing kakaunti lamang ang asin sa pagkaing niluluto o ang paggamit nito habang kumakain. + + Assistant + I-UPDATE NGAYON + OK + I-SUBMIT ANG FEEDBACK + MAGDAGDAG NG READING + I-update ang iyong timbang + Siguraduhing tama ang iyong timbang para makapagbigay ng mas angkop na impormasyon ang Glucosio. + I-update ang iyong research opt-in + Maaari kang hindi mapabilang sa aming diabetes research sharing kung iyong nanaisin. Lahat ng impormasyon na aming nilalagap ay anonymous at hinding-hindi namin ito ipamimigay kanino man. + Gumawa ng mga kategorya + Ang Glucosio ay mga kategoryang kalakip para sa glucose input, ngunit maaari kang gumawa ng sarili mong kategorya kung nanaisin. + Pumunta dito ng madalas + Nagbibigay ang Glucosio assistant ng mga payo kung paano gaganda ang iyong kalusugan at kung paano mo makukuha ang benepisyo ng paggamit ng Glucosio. + I-submit ang feedback + Kung may mga katanungang pangteknikal or may mga puna at suhesyon para sa Glucosio, pumunta sa settings menu. + Magdagdag ng reading + Siguraduhing palaging magdagdag ng iyong glucose readings para ikaw matulungan naming i-track ang iyong glucose levels. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-pap/google-playstore-strings.xml b/app/src/main/res/android/values-pap/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-pap/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-pap/strings.xml b/app/src/main/res/android/values-pap/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-pap/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-pcm-rNG/google-playstore-strings.xml b/app/src/main/res/android/values-pcm-rNG/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-pcm-rNG/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-pcm-rNG/strings.xml b/app/src/main/res/android/values-pcm-rNG/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-pcm-rNG/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-pi-rIN/google-playstore-strings.xml b/app/src/main/res/android/values-pi-rIN/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-pi-rIN/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-pi-rIN/strings.xml b/app/src/main/res/android/values-pi-rIN/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-pi-rIN/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-pl-rPL/google-playstore-strings.xml b/app/src/main/res/android/values-pl-rPL/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-pl-rPL/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-pl-rPL/strings.xml b/app/src/main/res/android/values-pl-rPL/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-pl-rPL/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-ps-rAF/google-playstore-strings.xml b/app/src/main/res/android/values-ps-rAF/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-ps-rAF/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-ps-rAF/strings.xml b/app/src/main/res/android/values-ps-rAF/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-ps-rAF/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-pt-rBR/google-playstore-strings.xml b/app/src/main/res/android/values-pt-rBR/google-playstore-strings.xml new file mode 100644 index 00000000..8b90b932 --- /dev/null +++ b/app/src/main/res/android/values-pt-rBR/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio é um app para pessoas com diabetes focado no usuário + Com o Glucosio, você pode gravar e acompanhar seus níveis de glicemia, contribuir anonimamente com pesquisas sobre diabetes compartilhando tendências de glicemia e informações demográficas, assim como receber dicas importantes através do nosso assistente. O Glucosio respeita a sua privacidade e você sempre tem o controle sobre os seus dados. + * Focado no usuário. Os apps do Glucosio são construídos com recursos e um design que correspondem às necessidades do usuário e estamos sempre abertos à sua opinião para melhorarmos. + * Código aberto. Os apps do Glucosio dão a você a liberdade de usar, copiar, estudar e modificar o código fonte de qualquer um dos nossos apps e até contribuir com o projeto do Glucosio. + * Gerenciamento de dados. O Glucosio permite que você possa acompanhar e gerenciar os dados sobre a sua diabetes com uma interface intuitiva e moderna, construída com a ajuda de outras pessoas com diabetes. + * Apoio à pesquisa. Os apps do Glucosio dão ao usuário a opção de compartilhar com pesquisadores informações sobre a sua diabetes e dados demográficos de forma anônima. + Por favor, registre qualquer qualquer bug, reclamação ou peça novos recursos em: + https://github.com/glucosio/android + Mais detalhes: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-pt-rBR/strings.xml b/app/src/main/res/android/values-pt-rBR/strings.xml new file mode 100644 index 00000000..b5ac972d --- /dev/null +++ b/app/src/main/res/android/values-pt-rBR/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Configurações + Enviar comentários + Visão geral + Histórico + Dicas + Olá. + Olá. + Termos de uso. + Eu li e aceito os Termos de Uso + O conteúdo do site Glucosio e apps, tais como texto, gráficos, imagens e outros materiais (\"Conteúdo\") é apenas para fins informativos. O conteúdo não se destina a ser um substituto para aconselhamento médico profissional, diagnóstico ou tratamento. Nós encorajamos os usuários do Glucosio a sempre procurar o conselho do seu médico ou outro provedor de saúde qualificado com qualquer dúvida que você possa ter em relação a uma situação médica. Nunca desconsidere o aconselhamento médico profissional ou deixe de buscá-lo por causa de algo que você tenha lido no site do Glucosio ou em nossos aplicativos. O site do Glucosio, Blog, Wiki e outros conteúdos acessíveis via navegador de web (\"site\") devem ser usados apenas para os fins descritos acima. \n Confiar em qualquer informação fornecida por Glucosio, membros da equipe Glucosio, voluntários e outros aparecendo no site ou em nossos aplicativos é um risco exclusivamente seu. O Site e seu Conteúdo são fornecidos \"como estão\". + Precisamos de algumas coisas rápidas antes de você começar. + País + Idade + Por favor, insira uma idade válida. + Sexo + Masculino + Feminino + Outros + Tipo de diabetes + Tipo 1 + Tipo 2 + Unidade preferida + Compartilhar dados anônimos para pesquisa. + Você pode fazer alterações em Configurações depois. + PRÓXIMO + COMEÇAR + Não há informação disponível ainda. \n Adicionar sua primeira leitura aqui. + Adicionar o nível de glicose no sangue + Concentração + Data + Horário + Medido + Antes do café + Depois do café + Antes do almoço + Depois do almoço + Antes do jantar + Depois do jantar + Geral + Verificar novamente + À noite + Outros + CANCELAR + ADICIONAR + Por favor, insira um valor válido. + Por favor, preencha todos os campos. + Excluir + Editar + 1 leitura eliminada + DESFAZER + Última verificação: + Tendência do mês passado: + no intervalo e saudável + Mês + Dia + Semana + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + Sobre + Versão + Termos de uso + Tipo + Peso + Categoria de medição personalizada + + Coma mais alimentos frescos, não-processados, para ajudar a reduzir a ingestão de carboidratos e açúcar. + Leia o rótulo nutricional em alimentos embalados e bebidas para controlar a ingestão de açúcar e carboidratos. + Quando comer fora, peça peixe ou carne grelhada sem manteiga ou óleo. + Quando comer fora, pergunte se eles têm pratos com baixo teor de sódio. + Quando comer fora, coma as mesmas porções que você comeria em casa e leve as sobras para viagem. + Quando comer fora, peça itens de baixa caloria, como molhos para salada, mesmo que eles não estejam no menu. + Quando comer fora, faça substituições. Em vez de batatas fritas, peça uma porção dupla de vegetais, como saladas, feijão ou brócolis. + Quando comer fora, peça alimentos que não sejam empanados nem fritos. + Quando comer fora, peça molhos e temperos para salada para acompanhar. + \"Sem açúcar\" não significa realmente \"sem açúcar\". Isso significa 0,5 grama (g) de açúcar por porção, então tenha cuidado para não exagerar na quantidade de itens \"sem açúcar\". + Buscar um peso saudável ajuda a controlar a glicemia. Um personal trainer, um nutricionista e seu médico podem fazer você começar um plano que vai funcionar para você. + Verificar a sua glicemia e acompanhar em um app como o Glucosio duas vezes por dia ajudará você a estar ciente dos resultados das suas escolhas alimentares e estilo de vida. + Faça exames de sangue A1c para descobrir sua média de glicemia durante os últimos 2 ou 3 meses. Seu médico deve dizer a frequência necessária para repetir esses exames. + Contar quanto carboidrato você consome pode ser tão importante quanto verificar a glicemia, já que os carboidratos influenciam os níveis de glicose no sangue. FalE com seu médico ou um nutricionista sobre a ingestão de carboidratos. + Controlar a pressão arterial, o colesterol e triglicérides é importante, já que os diabéticos são suscetíveis a doenças cardíacas. + Há várias abordagens de dieta que você pode tentar para se alimenar de maneira mais saudável, ajudando a melhorar sua diabetes. Procure ajuda de um nutricionista sobre o que funcionará melhor para você e seu orçamento. + Praticar exercícios regulares é particularmente importante para os diabéticos e pode ajudá-lo a manter um peso saudável. Converse com seu médico sobre os exercícios que serão convenientes para você. + A falta de sono pode fazer você comer mais, especialmente coisas como fast-food e, como resultado, pode afetar negativamente a sua saúde. Certifique-se de ter uma boa noite de sono e consultar um especialista do sono, se você estiver tendo dificuldades. + Estresse pode ter um impacto negativo na diabetes. Converse com seu médico ou outro profissional de saúde sobre como lidar com o estresse. + Visitar seu médico uma vez por ano, assim como manter um contato regular ao longo do ano, é importante para os diabéticos prevenirem qualquer aparecimento súbito de problemas de saúde associados. + Tome sua medicação conforme prescrito pelo seu médico. Mesmo pequenos esquecimentos podem afetar sua glicemia e causar outros efeitos colaterais. Se estiver tendo dificuldade com os horários, pergunte ao seu médico sobre como gerenciar a medicação e opções de lembretes. + + + Diabéticos mais idosos têm maior risco de desenvolverem problemas de saúde associados com o diabetes. Converse com seu médico sobre como sua idade desempenha um papel no seu diabetes e o que deve ser observado. + Limite a quantidade de sal que você usa para cozinhar e que você adiciona às refeições após o preparo. + + Assistente + ATUALIZAR AGORA + OK, ENTENDI + ENVIAR COMENTÁRIOS + ADICIONAR LEITURA + Atualize seu peso + Certifique-se de atualizar seu peso para que Glucosio tenha sempre as informações mais precisas. + Atualize seu opt-in de pesquisa + Você pode sempre entrar ou sair do compartilhamento de pesquisas sobre diabetes, mas lembre-se que todos os dados compartilhados são totalmente anônimos. Somente compartilhamos Demografia e tendências dos níveis de glicemia. + Criar categorias + Glucosio vem com categorias padrão para a entrada de glicose, mas você pode criar categorias personalizadas nas configurações para atender às suas necessidades exclusivas. + Confira aqui frequentemente + O assistente Glucosio fornece dicas regulares e vai continuar melhorando, portanto, sempre confira aqui ações úteis que você pode tomar para melhorar a sua experiência com o Glucosio e outras dicas úteis. + Enviar comentários + Se você encontrar quaisquer problemas técnicos ou tiver comentários sobre o Glucosio, nós encorajamos você a apresentá-los no menu de configuraçõesm, a fim de nos ajudar a melhorar o Glucosio. + Adicionar uma leitura + Não se esqueça de adicionar regularmente as leituras de glicemia, para podermos ajudá-lo a controlar seus níveis de glicemia ao longo do tempo. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Faixa preferencial + Faixa personalizada + Valor mínimo + Valor máximo + EXPERIMENTE AGORA + diff --git a/app/src/main/res/android/values-pt-rPT/google-playstore-strings.xml b/app/src/main/res/android/values-pt-rPT/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-pt-rPT/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-pt-rPT/strings.xml b/app/src/main/res/android/values-pt-rPT/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-pt-rPT/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-qu-rPE/google-playstore-strings.xml b/app/src/main/res/android/values-qu-rPE/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-qu-rPE/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-qu-rPE/strings.xml b/app/src/main/res/android/values-qu-rPE/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-qu-rPE/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-quc-rGT/google-playstore-strings.xml b/app/src/main/res/android/values-quc-rGT/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-quc-rGT/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-quc-rGT/strings.xml b/app/src/main/res/android/values-quc-rGT/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-quc-rGT/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-qya-rAA/google-playstore-strings.xml b/app/src/main/res/android/values-qya-rAA/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-qya-rAA/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-qya-rAA/strings.xml b/app/src/main/res/android/values-qya-rAA/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-qya-rAA/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-rm-rCH/google-playstore-strings.xml b/app/src/main/res/android/values-rm-rCH/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-rm-rCH/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-rm-rCH/strings.xml b/app/src/main/res/android/values-rm-rCH/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-rm-rCH/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-rn-rBI/google-playstore-strings.xml b/app/src/main/res/android/values-rn-rBI/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-rn-rBI/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-rn-rBI/strings.xml b/app/src/main/res/android/values-rn-rBI/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-rn-rBI/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-ro-rRO/google-playstore-strings.xml b/app/src/main/res/android/values-ro-rRO/google-playstore-strings.xml new file mode 100644 index 00000000..17b65145 --- /dev/null +++ b/app/src/main/res/android/values-ro-rRO/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio este o aplicatie centrată pe utilizator, gratuită şi open source, pentru persoanele cu diabet zaharat + Folosind Glucosio, puteţi introduce şi urmări nivelurile de glucoză din sânge, sprijini anonim cercetarea diabetului contribuind date demografice şi tendinţe anonimizate ale nivelului de glucoză, şi obţine sfaturi utile prin intermediul asistentului nostru. Glucosio respectă confidenţialitatea şi sunteţi mereu în controlul datelor dvs. + * Centrat pe utilizator. Aplicațiile Glucosio sunt construite cu caracteristici şi un design care se potriveşte nevoilor utilizatorului şi suntem în mod constant deschisi la feedback pentru a ne îmbunătăţi. + * Open-Source. Aplicațiile Glucosio dau libertatea de a folosi, copia, studia, şi schimba codul sursă pentru oricare dintre aplicațiile noastre şi chiar de a contribui la proiect Glucosio. + * Gestionare date. Glucosio vă permite să urmăriţi şi să gestionaţi datele de diabet zaharat printr-o interfaţă intuitivă, modernă, construită cu feedback-ul de la diabetici. + * Ajută cercetarea. Aplicațiile Glucosio dau utilizatorilor posibilitatea de a opta pentru schimbul de date anonimizate despre diabet şi informaţii demografice cu cercetătorii. + Vă rugăm să trimiteţi orice bug-uri, probleme sau cereri de caracteristici la: + https://github.com/glucosio/android + Detalii: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-ro-rRO/strings.xml b/app/src/main/res/android/values-ro-rRO/strings.xml new file mode 100644 index 00000000..e4fcb486 --- /dev/null +++ b/app/src/main/res/android/values-ro-rRO/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Setări + Trimite feedback + General + Istoric + Ponturi + Salut. + Salut. + Termeni de folosire + Am citit și accept termenii de folosire + Conținutul site-ului și applicațiilor Glucosio, cum ar fi textul, graficele, imaginile și alte materiale (”Conținut”) sunt doar cu scop informativ. Conținutul nu este un înlocuitor la sfatul medicului, diagnostic sau tratament. Ne încurajăm utilizatorii să caute ajutorul medicului când vine vorba de orice afecțiune. Nu ignorați sfatul medicului sau amânați căutarea lui din cauza a ceva ce ați citit pe site-ul sau aplicațiile Glucosio. Site-ul, blogul și wiki-ul Glucosio și alte resurse accesibile prin navigator (”Site-ul”) ar trebuii folosite doar în scopurile menționate mai sus.\n Încrederea în orice informație asigurată de Glucosio, membrii echipei Glucosio, voluntari și alții, apărută pe Site sau în aplicațiile noastre este pe riscul dumneavoastră. Site-ul și Conținutul sunt furnizate pe principiul \"ca atare\". + Avem nevoie de doar câteva lucruri rapide înainte de a începe. + Țară + Vârsta + Te rog introdu o vârsta validă. + Sex + Masculin + Feminin + Altul + Tipul diabetului + Tip 1 + Tip 2 + Unitatea preferată + Patajează date în mod anonim pentru cercetare. + Poți schimba aceste setări mai târziu. + URMĂTORUL + CUM SĂ ÎNCEPI + Nu avem informații disponibile momentan. \n Adaugă prima înregistrare aici. + Adaugă Nivelul Glucozei în Sânge + Concentrație + Dată + Ora + Măsurat + Înainte de micul dejun + După micul dejun + Înainte de prânz + După prânz + Înainte de cină + După cină + General + Re-verifică + Noapte + Altul + RENUNȚĂ + ADAUGĂ + Te rog introdu o valoare validă. + Te rog completează toate câmpurile. + Șterge + Modifică + O înregistrare ștearsă + ANULEAZĂ + Ultima verificare: + Tendința pe ultima lună: + în medie și sănătos + Lună + Zi + Săptămâna + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + Despre + Versiunea + Termeni de folosire + Tip + Greutate + Categorie de măsurare proprie + + Mănâncă mai multă mâncare proaspătă, neprocesată pentru a reduce carbohidrații și zaharurile. + Citește eticheta de pe mâncare si băutură pentru a controla aportul de carbohidrați și zaharuri. + Când mănânci în oraș, cere pește sau carne fiartă fără adaos de unt sau ulei. + Când mănânci în oraș, cere preparate cu conținut scăzut de sodiu. + Când mănânci în oraș, mănâncă aceeaşi porţie ca și acasă şi ia restul la pachet. + Când mănânci în oraș cere înlocuitori cu calorii puține, cum ar fi sosul pentru salată, chiar dacă nu sunt pe meniu. + Când mănânci în oraș cere schimbări în meniu. În loc de cartofi prăjiți, cere o porție dublă de legume, ca salată, mazăre verde sau broccoli. + Când mănânci în oraș cere mâncăruri care nu sunt cu pesmet sau prăjite. + Când mănânci în oraș cere ca sosurile să fie aduse separat. + Fără zahăr nu înseamnă chiar fără zahăr. Înseamnă 0.5 grame (g) de zahăr per porție, așa că ai grijă să nu faci exces de produse fără zahăr. + O greutate sănătoasă ajută la controlul zaharurilor din sânge. Doctorul, dieteticianul și instructorul de fitness te poate ajuta să faci un plan care funcționează pentru tine. + Verificarea nivelului glucozei în sânge și înregistrarea lui într-o aplicație ca Glucosio de două ori pe zi te va ajuta să vezi rezultatele pe care le au alegerile tale legate de mâncare și stilul de viață. + Fă testul de sânge A1c ca să aflii media glucozei în sânge pentru ultimele 2-3 luni. Doctorul ar trebuii să îți spună cât de des va trebuii să faci testul acesta. + Nivelul carbohidraților consumați poate fi la fel de important ca verificarea nivelului zaharurilor in sânge deoarece carbohidrații influențează nivelul glucozei în sânge. Consultă doctorul sau nutriționistul despre consumul de carbohidrați. + Măsurarea tensiunii, colesterolului și trigliceridelor este importantă deoarece diabeticii sunt predispuși problemelor cardiace. + Sunt câteva diete pe care le poți urma pentru a mânca mai sănătos si pentru a te ajuta să îți ameliorezi starea diabetului. Consultă un nutriționist pentru a vedea ce dietă ți se potrivește. + Exercițiile fizice regulate sunt foarte importante pentru diabetici și pot ajuta la menținerea unei greutăți sănătoase. Vorbește cu doctorul despre exercițiile care sunt indicate pentru tine. + Insomniile pot crește pofta de mâncare, în special mâncare nesănătoasă si ca un rezultat îți pot afecta negativ sănătatea. Ai grijă să dormi suficient și să consulți un specialist daca ai probleme cu somnul. + Stresul poate avea un impact negativ asupra diabetului. Vorbește cu doctorul sau cu un terapeut despre reducerea stresului. + Vizita medicală o data pe an si comunicarea cu doctorul pe parcursul anului este importantă pentru diabetici pentru a preveni orice apariție bruscă a problemelor medicale asociate cu diabetul. + Ia tratamentul așa cum a fost prescris de doctor, chiar și cele mai mici abateri pot afecta nivelul glucozei în sânge si pot cauza alte efecte secundare. Dacă ai probleme cu memoria cere-i doctorului sfaturi despre cum sa îți organizezi tratamentul și ce poți face ca să îți amintești mai usor. + + + Persoanele diabetice în vârstă pot avea un risc mai mare pentru problemele de sănătate asociate cu diabetul. Vorbește cu doctorul despre cum vârsta joacă un rol in diabet și cum să îl monitorizezi. + Limitează cantitatea de sare pe care o folosești când gătesti sau pe care o adaugi în mâncare după ce a fost gătită. + + Asistent + Actualizaţi acum + OK, AM ÎNȚELES + TRIMITE FEEDBACK + ADAUGĂ ÎNREGISTRARE + Actualizați greutatea dumneavoastră + Asiguraţi-vă că actualizați greutatea dumneavoastră, astfel încât Glucosio să aibă informaţii cât mai precise. + Actualizați opțiunea pentru cercetare + Puteţi întotdeauna opta pentru a ajuta studiul de cercetare a diabetului, dar țineti minte că toate datele sunt anonime. Împărtăşim numai date demografice şi tendinţele nivelului de glucoză. + Crează categorii + Glucosio vine cu categorii implicite pentru glucoză, dar puteţi crea categorii particularizate în setări pentru a se potrivi nevoilor dumneavoastră unice. + Reveniți des + Asistentul Glucosio oferă sfaturi regulate şi se va îmbunătăți, astfel încât întotdeauna reveniți aici pentru acţiuni utile pe care puteţi lua pentru a îmbunătăţi experienţa dumneavoastră Glucosio şi pentru alte sfaturi utile. + Trimite feedback + Dacă găsiţi orice probleme tehnice sau aveți feedback despre Glucosio vă recomandăm să-l trimiteți prin meniul de setări, pentru a ne ajuta să îmbunătăţim Glucosio. + Adauga o înregistrare + Asiguraţi-vă că adăugați în mod regulat înregistrările dumneavoastră de glucoză, astfel încât să vă putem ajuta să urmăriți nivelurile glucozei în timp. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Gamă preferată + Gamă proprie + Valoare minimă + Valoare maximă + ÎNCEARCĂ ACUM + diff --git a/app/src/main/res/android/values-ru-rRU/google-playstore-strings.xml b/app/src/main/res/android/values-ru-rRU/google-playstore-strings.xml new file mode 100644 index 00000000..d513589a --- /dev/null +++ b/app/src/main/res/android/values-ru-rRU/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio — бесплатное и свободное приложение с открытым исходным кодом для людей, больных диабетом + Используя Glucosio, вы можете вводить и отслеживать данные об уровне глюкозы, анонимно поддерживать исследования диабета путём отправки анонимных данных о демографии и уровне глюкозы, а также получать от нас советы. Glucosio уважает вашу частную жизнь, контроль над вашими данными остаётся за вами. + * Пользователи превыше всего. Приложения Glucosio построены так, что их возможности и дизайн подходят под пользовательские нужны, мы открыты и стремимся улучшить наши приложения. + * Открытый исходный код. Glucosio даёт вам право свободно использовать, копировать, изучать и изменять исходный код любых наших приложений, а также участвовать в проекте Glucosio. + * Управление данными. Glucosio позволяет вам отслеживать и управлять данными, связанными с диабетом при помощи интуитивной и современной формы обратной связи. + * Поддержка исследований. Glucosio даёт пользователям возможность отправлять исследователям анонимные данные о диабете, а также сведения демографического характера. + Сообщайте об ошибках, проблемах, а также отправляйте запросы новых возможностей по адресу: + https://github.com/glucosio/android + Дополнительная информация: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-ru-rRU/strings.xml b/app/src/main/res/android/values-ru-rRU/strings.xml new file mode 100644 index 00000000..d6efa786 --- /dev/null +++ b/app/src/main/res/android/values-ru-rRU/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Настройки + Отправить отзыв + Общие сведения + История + Подсказки + Привет. + Привет. + Условия использования. + Я прочитал условия использования и принимаю их + Содержание веб-сайта и приложения Glucosio, такие как текст, графика, изображения и другие материалы (\"Содержание\") предназначены только для информационных целей. Указанное содержание не является заменой профессиональной медицинской консультации, диагноза или лечения. Мы советуем пользователям Glucosio всегда обращаться за консультацией к врачу или другому квалифицированному специалисту в случае возникновения любых вопросов касательно состояния их здоровья. Никогда не отказывайтесь от профессиональных медицинских рекомендаций и не откладывайте визит к врачу из-за того, что вы что-то прочитали на веб-сайте Glucosio или в нашем приложении. Веб-сайт Glucosio, блог, вики и другое содержание, открываемое веб-браузером, (\"Веб-сайт\") предназначены только для указанного выше использования.\n Вы полагаетесь на информацию, предоставляемую Glucosio, членами команды Glucosio, волонтёрами и другими пользователями Веб-сайта или нашего приложения на свой страх и риск. Веб-сайт и Содержание предоставляются \"как есть\". + Для того, чтобы начать, нам нужны некоторые сведения. + Страна + Возраст + Пожалуйста, введите возраст правильно. + Пол + Мужской + Женский + Другое + Тип диабета + Тип 1 + Тип 2 + Предпочитаемые единицы измерения + Поделиться анонимными данными для исследований. + Позже вы можете изменить свои настройки. + ДАЛЬШЕ + НАЧАТЬ + Информация пока не доступна. \n Добавьте сюда ваши первые данные. + Добавить уровень глюкозы в крови + Концентрация + Дата + Время + Измерено + До завтрака + После завтрака + До обеда + После обеда + До ужина + После ужина + Общее + Повторная проверка + Ночь + Другое + ОТМЕНА + ДОБАВИТЬ + Введите корректное значение. + Пожалуйста, заполните все поля. + Удалить + Правка + 1 запись удалена + ОТМЕНИТЬ + Последняя проверка: + Тенденция по данным прошлого месяца: + в норме + Месяц + День + Неделя + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + О нас + Версия + Условия использования + Тип + Вес + Собственные категории измерений + + Ешьте больше свежих, необработанных продуктов, это поможет снизить потребление углеводов и сахара. + Читайте этикетки на упакованных продуктах и напитках, чтобы контролировать потребление сахара и углеводов. + Если едите вне дома, спрашивайте рыбу или мясо, обжаренные без дополнительного сливочного или растительного масла. + Когда едите вне дома, спрашивайте блюда с низким содержанием натрия. + Когда едите вне дома, ешьте те же порции, которые вы едите дома, а остатки можете забрать с собой. + Когда едите вне дома, спрашивайте низкокалорийную еду, например листья салата, даже если их нет в меню. + Когда едите вне дома, спрашивайте замену. Вместо картофеля фри попросите двойную порцию таких овощей как салат, зелёные бобы или брокколи. + Когда едите вне дома, не заказывайте жаренную еду и еду в панировке. + Когда едите вне дома, просите разместить соус, подливку и листья салата с краю тарелки. + \"Без сахара\" не означает, что сахара нет. Это означает, что в порции содержится 0,5 грамм сахара, поэтому будьте внимательны, не ешьте много сахаросодержащих продуктов. + Нормализация веса помогает контролировать сахар в крови. Ваш доктор, диетолог и фитнес-тренер помогут вам разработать план нормализации веса. + Проверяйте уровень сахара в крови и отслеживайте его с помощью специальных приложений, таких как Glucosio, дважды в день, это поможет вам разобраться в еде и образе жизни. + Сделайте анализ крови A1c, чтобы узнать средний уровень сахара в крови за 2-3 месяца. Ваш врач должен рассказать вам, как часто следует сдавать такой анализ. + Отслеживание потребляемых углеводов может быть столь же важно, как и проверка уровня сахара в крови, поскольку углеводы влияют на уровень глюкозы в крови. Обсудите с вашим врачом или диетологом ваше потребление углеводов. + Контролирование кровяного давления, уровня холестерина и триглицеридов имеет важное значение, поскольку диабетики подвержены болезням сердца. + Существует несколько вариантов диеты, с их помощью вы можете есть более здоровую пищу, это поможет вам контролировать свой диабет. Спросите диетолога о том, какая диета лучше подойдёт вам и вашему бюджету. + Регулярные физические упражнения особенно важны для диабетиков, поскольку они помогают поддерживать нормальный вес. Обсудите с вашим врачом то, какие упражнения вам больше всего подходят. + Недосып приводит к перееданию (особенно нездоровой пищей), что плохо отражается на вашем здоровье. Хорошо высыпайтесь по ночам. Если же вас беспокоят проблемы со сном, обратитесь к специалисту. + Стресс оказывает отрицательное влияние на диабетиков. Обсудите с вашим врачом или другим специалистом то, как справляться со стрессом. + Ежегодные посещения врача и поддержание связи с ним всё время очень важно для диабетиков, это позволит предотвратить любую резкую вспышку болезни. + Принимайте лекарства по назначению вашего врача, даже небольшие пропуски в приёме лекарств могут оказать влияние на уровень сахара в крови, а также иметь и другие эффекты. Если вам сложно помнить о приёме лекарств, спросите вашего врача о существующих возможностях напоминания. + + + Пожилые диабетики более подвержены риску возникновения проблем со здоровьем. Обсудите с вашим врачом то, как ваш возраст влияет на заболевание диабетом, и чего вам следует опасаться. + Ограничьте количество соли в приготовляемой вами еде. Также ограничьте количество соли, которое вы добавляете в уже приготовленную еду. + + Помощник + ОБНОВИТЬ СЕЙЧАС + ХОРОШО, Я ПОНЯЛ + ОТПРАВИТЬ ОТЗЫВ + ДОБАВИТЬ ДАННЫЕ + Обновите свой вес + Убедитесь, что вы обновили свой вес, и у Glucosio имеется наиболее точная информация. + Обновить согласие на участие в исследованиях + Вы можете принять участие в исследовании диабета или отказаться от такого участия, все данных полностью анонимны. Мы делимся только демографическими данными и данными об уровне глюкозы в крови. + Создайте категории + Glucosio содержит категории по умолчанию, но в настройках вы можете создать собственные категории так, чтобы они подходили под ваши нужды. + Регулярно обращайтесь сюда + Помощник Glucosio предоставляет регулярные советы. Мы работаем над усовершенствованием нашего помощника, поэтому обращайтесь сюда за советами, которые вы сможете использовать для того, чтобы получить большую пользу от Glucosio, а также за другими полезными советами. + Отправьте отзыв + Если вы обнаружите какие-либо технические проблемы или захотите отправить отзыв о работе Glucosio, вы можете сделать это в меню настроек. Это поможет нам улучшить Glucosio. + Добавить данные + Регулярно вводите данные об уровне глюкозы, в течением времени это поможет вам отслеживать уровень глюкозы. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Предпочтительный диапазон + Собственный диапазон + Минимальное значение + Максимальное значение + ПОПРОБОВАТЬ ПРЯМО СЕЙЧАС + diff --git a/app/src/main/res/android/values-rw-rRW/google-playstore-strings.xml b/app/src/main/res/android/values-rw-rRW/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-rw-rRW/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-rw-rRW/strings.xml b/app/src/main/res/android/values-rw-rRW/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-rw-rRW/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-ry-rUA/google-playstore-strings.xml b/app/src/main/res/android/values-ry-rUA/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-ry-rUA/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-ry-rUA/strings.xml b/app/src/main/res/android/values-ry-rUA/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-ry-rUA/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-sa-rIN/google-playstore-strings.xml b/app/src/main/res/android/values-sa-rIN/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-sa-rIN/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-sa-rIN/strings.xml b/app/src/main/res/android/values-sa-rIN/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-sa-rIN/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-sat-rIN/google-playstore-strings.xml b/app/src/main/res/android/values-sat-rIN/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-sat-rIN/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-sat-rIN/strings.xml b/app/src/main/res/android/values-sat-rIN/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-sat-rIN/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-sc-rIT/google-playstore-strings.xml b/app/src/main/res/android/values-sc-rIT/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-sc-rIT/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-sc-rIT/strings.xml b/app/src/main/res/android/values-sc-rIT/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-sc-rIT/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-sco-rGB/google-playstore-strings.xml b/app/src/main/res/android/values-sco-rGB/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-sco-rGB/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-sco-rGB/strings.xml b/app/src/main/res/android/values-sco-rGB/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-sco-rGB/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-sd-rPK/google-playstore-strings.xml b/app/src/main/res/android/values-sd-rPK/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-sd-rPK/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-sd-rPK/strings.xml b/app/src/main/res/android/values-sd-rPK/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-sd-rPK/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-se-rNO/google-playstore-strings.xml b/app/src/main/res/android/values-se-rNO/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-se-rNO/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-se-rNO/strings.xml b/app/src/main/res/android/values-se-rNO/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-se-rNO/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-sg-rCF/google-playstore-strings.xml b/app/src/main/res/android/values-sg-rCF/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-sg-rCF/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-sg-rCF/strings.xml b/app/src/main/res/android/values-sg-rCF/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-sg-rCF/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-sh-rHR/google-playstore-strings.xml b/app/src/main/res/android/values-sh-rHR/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-sh-rHR/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-sh-rHR/strings.xml b/app/src/main/res/android/values-sh-rHR/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-sh-rHR/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-si-rLK/google-playstore-strings.xml b/app/src/main/res/android/values-si-rLK/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-si-rLK/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-si-rLK/strings.xml b/app/src/main/res/android/values-si-rLK/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-si-rLK/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-sk-rSK/google-playstore-strings.xml b/app/src/main/res/android/values-sk-rSK/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-sk-rSK/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-sk-rSK/strings.xml b/app/src/main/res/android/values-sk-rSK/strings.xml new file mode 100644 index 00000000..9bc1a5e9 --- /dev/null +++ b/app/src/main/res/android/values-sk-rSK/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Možnosti + Odoslať spätnú väzbu + Prehľad + História + Tipy + Ahoj. + Ahoj. + Podmienky používania. + Prečítal som si a súhlasím s Podmienkami používania + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Krajina + Vek + Prosím zadajte správny vek. + Pohlavie + Muž + Žena + Iné + Typ cukrovky + Typ 1 + Typ 2 + Preferovaná jednotka + Zdieľať anonymne údaje pre výskum. + Tieto nastavenia môžete neskôr zmeniť. + ĎALEJ + ZAČÍNAME + No info available yet. \n Add your first reading here. + Pridať hladinu glukózy v krvi + Koncentrácia + Dátum + Čas + Namerané + Pred raňajkami + Po raňajkách + Pred obedom + Po obede + Pred večerou + Po večeri + Všeobecné + Znovu skontrolovať + Noc + Ostatné + ZRUŠIŤ + PRIDAŤ + Prosím, zadajte platnú hodnotu. + Vyplňte prosím všetky položky. + Odstrániť + Upraviť + odstránený 1 záznam + SPÄŤ + Posledná kontrola: + Trend za posledný mesiac: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + O programe + Verzia + Podmienky používania + Typ + Weight + Vlastné kategórie meraní + + Jedzte viac čerstvých, nespracovaných potravín, pomôžete tak znížiť príjem sacharidov a cukrov. + Čítajte informácie o nutričných hodnotách na balených potravinách a nápojoch pre kontrolu príjmu sacharidov a cukrov. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + Pri stravovaní mimo domov nejedzte obalované, alebo vysmážané jedlá. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Obmedzte množstvo soli, ktorú používate pri varení a ktorú pridávate do jedla po dovarení. + + Asistent + AKTUALIZOVAŤ TERAZ + OK, GOT IT + ODOSLAŤ SPÄTNÚ VÄZBU + PRIDAŤ MERANIE + Aktualizujte vašu hmotnosť + Uistite sa, aby bola vaša váha vždy aktuálna, aby mal Glucosio čo najpresnejšie údaje. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Vytvoriť kategórie + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Odoslať spätnú väzbu + Ak nájdete nejaké technické problémy, alebo nám chcete zanechať spätnú väzbu o Glucosio odporúčame vám ju odoslať cez položku v nastaveniach. Pomôžete tak vylepšiť Glucosio. + Pridať meranie + Uistite sa, aby ste pravidelne pridávali hodnoty hladiny glykémie tak, aby sme vám mohli pomôcť priebežne sledovať hladiny glukózy. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-sl-rSI/google-playstore-strings.xml b/app/src/main/res/android/values-sl-rSI/google-playstore-strings.xml new file mode 100644 index 00000000..36ee0de6 --- /dev/null +++ b/app/src/main/res/android/values-sl-rSI/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio, sladkornim bolnikom namenjena aplikacije, je brezplačna in odprto kodna rešitev + Z uporabo Glucosio, lahko vnašate in spremljate ravni glukoze v krvi, s posredovanjem demografskih in anonimnih gibanj glukoze anonimno podpirate raziskave o diabetesu in prebirate uporabne nasvete našega pomočnika. Glucosio spoštuje vašo zasebnost in vam vedno daje nadzor nad vašimi podatki. + * Posvečeno uporabniku. Aplikacija Glucosio je narejena z funkcijami in oblikovanjem, ki ustreza uporabnikovim potrebam in jo stalno izboljšujemo glede na vaše povratne informacije. + * Odprto kodna. Glucosio aplikacija vam daje svobodo pri uporabi, kopiranju, preučevanju in spreminjanju izvorne kode v naših aplikacijah, da lahko prispevate k Glucosio projektu. + * Urejanje podatkov. Glucosio vam omogoča, da sledite in urejate podatke vašega diabetesa na intuitivnem, sodobnem vmesniku, kjer boste prejeli povratne informacije drugih diabetikov. + * Podprite raziskave. Glucosio aplikacija uporabnikom daje možnost, da lahko z raziskovalci anonimno delijo podatke diabetesa in demografske podatke. + Vse napake, težave ali želje nam sporočite na: + https://github.com/glucosio/android + Več informacij: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-sl-rSI/strings.xml b/app/src/main/res/android/values-sl-rSI/strings.xml new file mode 100644 index 00000000..9e328647 --- /dev/null +++ b/app/src/main/res/android/values-sl-rSI/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Nastavitve + Pošljite povratne informacije + Pregled + Zgodovina + Nasveti + Dobrodošli. + Dobrodošli. + Pogoji uporabe. + Sprejmem pogoje uporabe + Vsebina spletne strani Glucosio in aplikacij, besedilo, grafike, slike in ostali material (\"Content\") so informativne narave. Vsebina ni namenjena kot nadomestilo za strokovni zdravniški nasvet, diagnozo ali zdravljenje. Uporabnike Glucosio storitev spodbujamo, da se vedno posvetujejo z zdravnikom ali drugim usposobljenim zdravstvenim osebjem o vseh vprašanjih, ki bi jih imeli o svojem zdravstvenem stanju. Ne ignorirajte strokovnega zdravniškega nasveta in ne odlašajte iskanje pomoči zaradi nečesa, kar ste prebrali na spletni strani Glucosio ali v naših aplikacijah. Spletna stran Glucosio, blog, Wiki stran in ostala vsebina, ki je dostopna spletnim brskalnikom (\"Website\") je namenjena samo za opisane namene.\n Zanašanje na katero koli informacijo, ki jo je posredovalo podjetje Glucosio, člani ekipe Glucosio, prostovoljci in drugi osebe, ki objavljajo na spletni strani ali aplikacijah, je izključno vaša lastna odgovornost. Stran in vsebina so na voljo \"tako kot so\". + Preden začnete, potrebujemo nekaj podatkov. + Država + Starost + Vnesite veljavno starost. + Spol + Moški + Ženska + Ostalo + Sladkorna bolezen tipa + Tip 1 + Tip 2 + Želena enota + Delite anonimne podatke za raziskave. + Spremenite lahko spremenite kasneje. + NASLEDNJI + ZAČNI + Informacije še niso na voljo. \n Dodajte svojo prvo meritev. + Dodaj raven glukoze v krvi + Koncentracija + Datum + Ura + Izmerjene vrednosti + Pred zajtrkom + Po zajtrku + Pred kosilom + Po kosilu + Pred večerjo + Po večerji + Splošno + Ponovno + Noč + Ostalo + PREKLIČI + DODAJ + Vnesite veljavno vrednost. + Prosimo, izpolnite vsa polja. + Izbriši + Uredi + 1 meritev je bila izbrisana + RAZVELJAVI + Zadnja meritev: + Spremembe v zadnjem mesecu: + v obsegu in zdravju + Mesec + Dan + Teden + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + Vizitka + Različica + Pogoji uporabe + Tip + Teža + Uporabnikove kategorije merjenja + + Uživajte več sveže, neobdelane hrane. S tem boste zmanjšali vnos ogljikovih hidratov in sladkorja. + Preberite oznako na pakiranih živilih in pijači in se seznanite z vnosom sladkorja in ogljikovih hidratov. + Ko jeste zunaj, prosite za ribo ali meso, ki je pečeno brez dodatnega masla ali olja. + Ko jeste zunaj, vprašajte, če imajo jedi z nizko vsebnostjo natrija. + Ko jeste zunaj, pojejte enako porcijo kot doma in odnesite ostanke s seboj. + Ko jeste zunaj, prosite za nizkokalorične dodatke, kot je solatni preliv, tudi, če ni napisan na meniju. + Ko jeste zunaj, vprašajte, če je možna menjava. Namesto pečenega krompirčka vzemite dvojno zelenjavno prilogo, solato, stročji fižol ali brokoli. + Ko jeste zunaj, naročite hrano, ki ni panirana ali ocvrta. + Ko jeste zunaj, vprašajte za omake in solatne prelive, ki jih nimajo v meniju. + Oznaka brez sladkorja ne pomeni, da je izdelek brez dodanega sladkorja. Pomeni 0,5 g sladkorja na porcijo, zato bodite previdni, da si ne privoščite preveč izdelkov brez sladkorja. + Strmenje k zdravi telesni teži vam bo pomagalo nadzirati krvni sladkor. Vaš zdravnik, dietni svetovalec in fitnes trener vam lahko pripravijo načrt, ki vam bo pomagal na vaši poti. + Preverjajte raven sladkorja v krvi in jo dvakrat dnevno beležite z aplikacijo kot je Glucosio. To vam bo pomagalo, da se boste zavedali vpliva hrane in življenjskega stila. + Pridobite si A1c krvne teste in ugotovite vašo povprečno raven sladkorja v krvi za pretekle 2 do 3 mesece. Vaš zdravnik vam bo povedal, kako pogosto morate te teste opravljati. + Spremljanje količine zaužitih ogljikovih hidratov je tako pomembno kot preverjanje količine sladkorja v krvi, saj nanjo vplivajo ogljikovi hidrati vplivajo. O vnosu ogljikovih hidratov se pogovorite s svojim zdravnikom ali dietnim svetovalcem. + Nadzorovanje krvnega tlaka, holesterola in trigliceridov je pomembno, saj ste diabetiki bolj dovzetni za bolezni srca. + Obstaja več diet in pristopov, kako jesti bolj zdravo in kako zmanjšati vplive sladkorne bolezni. Poiščite nasvet strokovnjaka za diete, kaj bi bilo najboljše za vas in za vaš proračun. + Redna vadbe je za sladkorne bolnike izrednega pomena, saj vam pomaga vzdrževati pravilno telesno težo. S svojim osebnim zdravnikom se pogovorite, katere vaje so primerne za vas. + Pomanjkanje spanja lahko vodi v povečanje apetita in posledično v hranjenje s hitro pripravljeno hrano, kar lahko negativno vpliva na vaše zdravje. Zagotovite si dober spanec in se posvetujte s strokovnjakom, če imate težave. + Stres ima lahko negativen vpliv na diabetes. O obvladovanju stresa se pogovorite s svojim zdravnikom ali drugim zdravstvenim osebjem. + Redni letni obiski zdravnika in pogosta komunikacija skozi celo leto je za diabetike pomembna in preprečuje nenadne zdravstvene težave. + Zdravila, ki vam jih je predpisal zdravnik, morate jemati redno, tudi, če pride do manjših odstopanj v ravni sladkorja v krvi ali povzročajo druge stranske učinke. Če imate težave, se posvetujte s svojim zdravnikom o morebitni zamenjavi zdravil. + + + Starejši diabetiki so zaradi diabetesa lahko bolj podvrženi zdravstvenim težavam. Pogovorite se s svojim zdravnikom, kako vaša starost vpliva na vaš diabetes in na kaj morate paziti. + Omejite količino soli uporabljate pri kuhanju in ki jo dodajate že pripravljenim jedem. + + Pomočnik + POSODOBI ZDAJ + V REDU + POŠLJI POVRATNO INFORMACIJO + DODAJ MERITEV + Posodobite svojo težo + Poskrbite, da redno posodabljate svojo težo, tako, da ima aplikacija Glucosio točne informacije. + Posodobitev vaše raziskave + Vedno lahko izbirate, če želite za namene raziskav svoje podatke deliti. Vsi podatki, ki jih delite so popolnoma anonimni. Posredujemo samo demografske podatke in gibanje sladkorja v krvi. + Ustvari kategorije + Aplikacija Glucosio ima privzete kategorije za vnos glukoze, vendar si lahko ustvarite svoje lastne kategorije in jih v nastavitvah uredite, da bodo ustrezale vašim potrebam. + Pogosto preverite + Asistent v aplikaciji Glucosio vam redno ponuja nasvete. Ker se zavedamo pomembnosti, ga bomo redno nadgrajevali, zato ga večkrat preverite in se seznanite z nasveti, ki bodo omogočili boljšo uporabniško izkušnjo in vam bili v dodatno pomoč. + Pošlji povratno informacijo + Če boste imeli katero koli tehnično vprašanje ali povratno informacijo, vas prosimo, da nam jo pošljete preko menija v nastavitvah. Samo tako bomo lahko aplikacijo Glucosio redno izboljševali. + Dodaj meritev + Poskrbite, da redno dodajate vaše odčitke glukoze, da vam lahko pomagamo slediti vaši ravni glukoze. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Zaželen obseg + Uporabnikov obseg + Najmanjša vrednost + Največja vrednost + Preizkusite + diff --git a/app/src/main/res/android/values-sma-rNO/google-playstore-strings.xml b/app/src/main/res/android/values-sma-rNO/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-sma-rNO/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-sma-rNO/strings.xml b/app/src/main/res/android/values-sma-rNO/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-sma-rNO/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-sn-rZW/google-playstore-strings.xml b/app/src/main/res/android/values-sn-rZW/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-sn-rZW/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-sn-rZW/strings.xml b/app/src/main/res/android/values-sn-rZW/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-sn-rZW/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-so-rSO/google-playstore-strings.xml b/app/src/main/res/android/values-so-rSO/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-so-rSO/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-so-rSO/strings.xml b/app/src/main/res/android/values-so-rSO/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-so-rSO/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-son-rZA/google-playstore-strings.xml b/app/src/main/res/android/values-son-rZA/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-son-rZA/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-son-rZA/strings.xml b/app/src/main/res/android/values-son-rZA/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-son-rZA/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-sq-rAL/google-playstore-strings.xml b/app/src/main/res/android/values-sq-rAL/google-playstore-strings.xml new file mode 100644 index 00000000..06b5c928 --- /dev/null +++ b/app/src/main/res/android/values-sq-rAL/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Duke përdorur Glucosio, ju mund të fusni dhe të gjurmoni nivelet e glukozës në gjakë, të mbështesni në mënyrë anonime kërkimet rreth diabetit duke kontribuar me trendet demografike dhe anonime të glukozës, si edhe të merni këshilla të vlefshme nëpërmjet asistentit tonë. Glukosio respekton privatësin tuaj dhe ju jeni gjithmon në kontroll të të dhënave tuaja. + Përdoruesi i vënë në qëndër. Aplikacionet e Glukosio janë të ndërtuara me mjete dhe me një dizajn që përputhet me kërkesat e përdoruesit dhe ne jemi gjithmonë të hapur për sugjerime për përmirësime të mëtejshme. + Me kod burimi të hapur. Aplikacionet e Glukosio ju japin juve lirinë që të përdorni, kopjoni, studioni dhe ndryshoni kodin burim të secilit nga aplikacionet tona dhe madje edhe të kontribuoni në projektin Glukosio. + Menaxho të dhënat. Glukosio ju lejonë që të gjurmoni dhe menaxhoni të dhënat tuaja të diabetit nga një ndërfaqje intuitive dhe moderne e ndërtuar me sugjerimet e diabetikëve. + Mbështet kërkimin. Aplikacionet e Glukosio i japin përdoruesëve mundësin që të futen dhe të shpërndajnë në mënyrë anonime me kërkuesit të dhënat e tyre për diabitin dhe informacionet demografike. + Ju lutem plotësoni të metat, problemet ose kërkesat për mjete të tjera te: + https://github.com/glucosio/android + Më shume detaje: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-sq-rAL/strings.xml b/app/src/main/res/android/values-sq-rAL/strings.xml new file mode 100644 index 00000000..0152b8a7 --- /dev/null +++ b/app/src/main/res/android/values-sq-rAL/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Parametrat + Dërgo përshtypjet + Pasqyra + Historia + Këshilla + Përshëndetje. + Përshëndetje. + Termat e Përdorimit. + I kam lexuar dhe i pranoj Termat e Përdorimit + Përmbajtja e websitit dhe aplikacioneve Glucosio, si teksti, grafikët, imazhet dhe materiale të tjera janë vetëm për qëllime informuese. Përmbajtja nuk ka si synim të jetë një zëvëndësim i këshillave profesionale mjekësore, diagnozave apo trajtimit. Ne i inkurajojmë përdoruesit e Glucosio që gjithmonë të kërkojnë këshillën e mjekut ose të personave të tjerë të kualifikuar për çështjtet e shëndetit për pyetjet që ata mund të kenë rreth gjëndjes së tyre shëndetësore. Kurrë nuk duhet ta shpërfillni këshillën mjekësore të një profesionisti ose të mos e kërkoni atë për shkak të diçkaje që keni lexuar në websitin e Glucoson ose në ndonjë nga aplikacionet tona. Websiti i Glucosio, Blogu, Wiki, dhe përmbajtje të tjera të arritshme nëpërmjet kërkimit në web duhet të përdoren vetëm për qëllimet e përshkruara më sipër. Besimi te çdo informacion i siguruar nga Glucosio, antarët e skuadrës së Glucosio, vullnetarët dhe personat e tjerë që shfaqen në site ose ne aplikacionet tona është vetëm në dorën tuaj. Siti dhe Përmbajtja ju sigurohen me baza \"siç është\". + Na duhen vetëm disa gjëra të vogla para se të fillojmë. + Vendi + Mosha + Ju lutem vendosni një moshë të vlefshme. + Gjinia + Mashkull + Femër + Tjetër + Lloji i diabetit + Lloji 1 + Lloji 2 + Njësia e preferuar + Kontribo me të dhëna anonime për kërkime shkencore. + Mund t\'i ndryshoni këto në parametrat më vonë. + Tjetri + FILLO + Nuk ka ende informacione në dispozicion. Shtoni leximin tuaj të parë këtu. + Shto Nivelin e Glukozës në Gjak + Përqendrimi + Data + Koha + E matur + Para mëngjesit + Pas mëngjesit + Para drekës + Pas drekës + Para darkës + Pas darkës + Të përgjithshme + Kontrollo përsëri + Natë + Tjetër + ANULLO + SHTO + Ju lutemi shtoni një vlerë të vlefshme. + Ju lutem plotësoni të gjitha fushat. + Fshij + Edito + 1 lexim u fshi + RIKTHE + Shikimi i fundit: + Tendenca në muajin e fundit: + brenda kufinjve dhe i shëndetshëm + Muaj + Dita + Java + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + Rreth nesh + Versioni + Termat e përdorimit + Tipi + Pesha + Kategoria e matjeve të zakonshme + + Hani ushqime të freskëta dhe të papërpunuara për të ndihmuar reduktimin e karbohidrateve dhe të nivelit të sheqerit. + Lexoni etiketën e ushqimeve dhe pijeve të paketuara për të kontrolluar marrjen e sheqerit dhe karbohidrateve. + Kur të hani jashtë, kërkoni për peshk ose mish të pjekur pa gjalp ose vaj shtesë. + Kur të hani jashtë, kërkoni ushqime me nivel të ulët natriumi. + Kur të hani jashtë, hani vakte me të njëjtën sasi sa do hanit edhe në shtëpi dhe pjesën e mbetur merreni me vete. + Kur të hani jashtë kërkoni për artikuj me kalori të ulëta, si salcat për sallatën edhe nëse ato nuk janë në menu. + Kur të hani jashtë kërkoni për zëvëndësime. Në vend të patateve të skuqura, kërkoni një porosi në sasi të dyfishtë me perime si sallata, bishtaja ose brokoli. + Kur të hani jashtë, porosisni ushqime që nuk janë të thata ose të skuqura. + Kur të hani jashtë kërkoni për salca, leng mishi dhe sallatën anës. + Pa sheqer nuk do të thotë me të vërtetë pa sheqer. Do të thotë 0.5 gram (g) sheqer për çdo vakt, kështu që tregohuni të kujdesshëm që të mos e teproni me shumë artikuj pa sheqer. + Të arrish një peshë të shëndetshme ndihmon në kontrollin e nivelit të sheqerit në gjak. Doktori juaj, dietologu dhe trajneri i fitnesit mund te te prezantojnë me nje plan që do funksionojë për ju. + Të kontrollosh nivelin e substancave në gjak dhe ta gjurmosh atë me një aplikacion si Glucosio dy herë në ditë, do ju ndihmojë të jeni të ndërgjegjshëm për rezultatet e ushqimit dhe të stilit tuaj të jetesës. + Bëni testet A1c të gjakut për të zbuluar nivelin mesatar të sheqerit në gjak për 2 deri në 3 muajt e fundit. Doktori juaj duhet t\'ju tregojë sesa shpesh ky test duhet të kryhet. + Gjurmimi i sasisë së karbohidrateve që konsumoni mund të jetë po aq e rëndësishme sa kontrolli i nivelit të substancave në gjak pasi karbohidratet influencojnë ndjeshëm nivelin e glikozës në gjak. Flisni me një doktor ose me një dietolog për marrjen e karbohidrateve. + Kontrolli i presionit të gjakut, kolesterolit dhe nivelit të triglicerideve është e rëndësishme pasi diabetikët janë të predispozuar për sëmundjet e zemrës. + Ka disa dieta të përafërta që mund të ndiqni për të ngrënë në mënyrë të shëndetshme dhe për të përmirësuar rezultatet e diabetit. Kërkoni këshilla nga një dietolog për atë që do të ishte më e mira për ju dhe buxhetin tuaj. + Të punosh për të bërë ushtrime rregullisht është vecanërisht e rëndësishme për diabetikët dhe mund të ndihmoj për te mbajtur një peshë të shëndetshme. Flisni me mjekun tuaj për ushtrimet që do jenë të përshtatshme për ju. + Pagjumësia mund tju bëjë të konsumoni ushqime të gatshme dhe si rezultat mund mund të ketë një impakt negativ në shëndetin tuaj. Siguroheni që të bëni një gjumë të mirë gjatë natës dhe këshillohuni me një specialist nëse këni vështirësi. + Stresi mund të ketë një impakt negativ për diabetin, flisni me mjekun tuaj ose me një specialist tjetër të kujdesit për shëndetin për të përballuar stresin. + Të shkuarit te doktori të paktën një herë vit dhe të paturit një komunikim të rregullt gjatë vitit është e rëndësishme për diabetikët për të parandaluar çdo fillim të papritur të problemeve shëndetësore. + Merrini ilaçet tuaja siç i rekomandon mjeku juaj, edhe gabimet më të vogla me dozat mund të ndikojnë në nivelin e glukozës në gjak dhe të shkaktojnë efekte të tjera anësore. Nëse keni vështirësi me të mbajturit mend, pyesni doktorin tuaj ne lidhje me menaxhimin e mjekimit dhe opsioneve për të kujtuar. + + + Të moshuarit me diabet kanë një risk më të lartë për probleme shëndetësore të lidhura me diabetin. Flisni me doktorin tuaj sesi ndikon mosha në diabet dhe nga çfarë të keni kujdes. + Limitoni sasinë e kripës që përdorni gjatë gatimit të ushqimit dhe atë që i shtoni vaktit pasi ai është gatuar. + + Ndihmës + Përditëso tani + OK, E KUPTOVA + DËRGO PËRSHTYPJET + SHTO LEXIM + Përditëso peshën + Sigurohuni që të përditësoni peshën në mënyrë që Glucosio të ketë informacionet më të sakta. + Përditësoni kërkimin opt-in tuajin + Ju gjithmonë mund të keni mundësi për opt-in ose opt-out nga shpërndarja e kërkimeve për diabetin, por kujtoni që të gjitha të dhënat e shpërdara janë plotësisht anonime. Ne shpërndajm vetëm trendet demografike dhe nivelet e glukozës. + Krijo kategori + Glucosio vjenë me kategori të parazgjedhura për inputet e glukozës por ju mund të krijoni kategori të zakonshme tek parametrat që të përputhen me nevojat tuaja të veçanta. + Kontrolloni këtu shpesh + Ndihmësi nga Glucosio siguron këshilla të rregullta dhe do vazhdojë të përmirësohet, kështu që gjithmonë kontrolloni këtu për veprime të dobishme që mund të kryeni për të përmirësuar eksperiencën tuaj me Glucosio dhe për këshilla të tjera të dobishme. + Dërgo komente + Nëse keni ndonjë problem teknik ose doni të ndani përshtypjen tuaj rreth Glucosio ne ju inkurajojm që ti dërgoni ato në menun e parametrave në mënyrë që të na ndihmoni që ta përmirësojmë Glucosion. + Shto një lexim + Sigurohuni që ti shtoni rregullisht leximet tuaja rreth glukozës në mënyrë që ne të mund t\'ju ndihmojm të gjurmoni nivelet tuaja të glukozës me kalimin e kohës. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Gama e preferuar + Shtrirja e zakonshme + Vlera minimale + Vlera maksimale + Provoje tani + diff --git a/app/src/main/res/android/values-sr-rCS/google-playstore-strings.xml b/app/src/main/res/android/values-sr-rCS/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-sr-rCS/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-sr-rCS/strings.xml b/app/src/main/res/android/values-sr-rCS/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-sr-rCS/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-sr-rCy/google-playstore-strings.xml b/app/src/main/res/android/values-sr-rCy/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-sr-rCy/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-sr-rCy/strings.xml b/app/src/main/res/android/values-sr-rCy/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-sr-rCy/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-sr-rSP/google-playstore-strings.xml b/app/src/main/res/android/values-sr-rSP/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-sr-rSP/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-sr-rSP/strings.xml b/app/src/main/res/android/values-sr-rSP/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-sr-rSP/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-ss-rZA/google-playstore-strings.xml b/app/src/main/res/android/values-ss-rZA/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-ss-rZA/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-ss-rZA/strings.xml b/app/src/main/res/android/values-ss-rZA/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-ss-rZA/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-st-rZA/google-playstore-strings.xml b/app/src/main/res/android/values-st-rZA/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-st-rZA/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-st-rZA/strings.xml b/app/src/main/res/android/values-st-rZA/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-st-rZA/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-su-rID/google-playstore-strings.xml b/app/src/main/res/android/values-su-rID/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-su-rID/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-su-rID/strings.xml b/app/src/main/res/android/values-su-rID/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-su-rID/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-sv-rFI/google-playstore-strings.xml b/app/src/main/res/android/values-sv-rFI/google-playstore-strings.xml new file mode 100644 index 00000000..94747d0f --- /dev/null +++ b/app/src/main/res/android/values-sv-rFI/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio är en användarcentrerad gratisapp med öppen källkod för personer med diabetes + Genom att använda Glucosio, kan du registrera och spåra blodsockernivåer, anonymt stödja diabetesforskningen genom att bidra med demografiska och anonyma glukostrender och få användbara tips via vår assistent. Glucosio respekterar din integritet och du har alltid kontroll över dina data. + * Användarcentrerad. Glucosio appar byggs med funktioner och en design som matchar användarens behov och vi är ständigt öppna för återkoppling för förbättringar. + * Öppen källkod. Glucosio appar ger dig friheten att använda, kopiera, studera och ändra källkoden för någon av våra appar och även bidra till projektet Glucosio. + * Hantera Data. Med Glucosio kan du spåra och hantera dina diabetesdata från ett intuitivt, modernt gränssnitt byggt med feedback från diabetiker. + * Stödja forskning. Glucosio appar ger användarna möjlighet att välja om de vill dela anonymiserade diabetesuppgifter och demografisk information med forskare. + Vänligen skicka in eventuella buggar, frågor eller önskemål om funktioner på: + https://github.com/glucosio/android + Fler detaljer: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-sv-rFI/strings.xml b/app/src/main/res/android/values-sv-rFI/strings.xml new file mode 100644 index 00000000..31cd2da7 --- /dev/null +++ b/app/src/main/res/android/values-sv-rFI/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Inställningar + Skicka feedback + Översikt + Historik + Tips + Hallå. + Hallå. + Användarvillkor. + Jag har läst och accepterar användarvillkoren + Innehållet på Glucosios hemsida och appar, såsom text, grafik, bilder och annat material (\"innehållet\") är endast i informationssyfte. Innehållet är inte avsett att vara en ersättning för professionell medicinsk rådgivning, diagnos eller behandling. Vi uppmuntrar Glucosio-användare att alltid rådfråga sin läkare eller annan kvalificerad hälsoleverantör med eventuella frågor du har om ett medicinskt tillstånd. Aldrig bortse från professionell medicinsk rådgivning eller försening i söker det på grund av något du läst på Glucosio hemsida eller i våra appar. Glucosio hemsida, blogg, Wiki och andra web browser tillgängligt innehåll (\"webbplatsen\") bör användas endast för det ändamål som beskrivs ovan. \n förlitan på information som tillhandahålls av Glucosio, Glucosio medlemmar, volontärer och andra som förekommer på webbplatsen eller i våra appar är enbart på egen risk. Webbplatsen och innehållet tillhandahålls på grundval av \"som är\". + Vi behöver bara några få enkla saker innan du kan sätta igång. + Land + Ålder + Ange en giltig ålder. + Kön + Man + Kvinna + Annat + Diabetestyp + Typ 1 + Typ 2 + Önskad enhet + Dela anonym data för forskning. + Du kan ändra detta i inställningar senare. + Nästa + Kom igång + Ingen information tillgänglig ännu. \n Lägg till dina första värden här. + Lägg till blodsockernivå + Koncentration + Datum + Tid + Uppmätt + Före frukost + Efter frukost + Innan lunch + Efter lunch + Innan middagen + Efter middagen + Allmänt + Kontrollera igen + Natt + Annat + Avbryt + Lägg till + Ange ett giltigt värde. + Vänligen fyll i alla fält. + Ta bort + Redigera + 1 avläsning borttagen + Ångra + Senaste kontroll: + Trend under senaste månaden: + i intervallet och hälsosam + Månad + Day + Vecka + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + Om + Version + Användarvillkor + Typ + Vikt + Anpassad mätkategori + + Ät mer färska, obearbetade livsmedel för att minska intaget av kolhydrater och socker. + Läs näringsetiketten på förpackningar för mat och drycker för att kontrollera socker och kolhydrater. + När man äter ute, be om fisk eller kött kokt utan extra smör eller olja. + När man äter ute, fråga om de har maträtter med låg natriumhalt. + När man äter ute, ät samma portionsstorlekar som du skulle göra hemma och ta med resterna hem. + När man äter ute be om mat med lågt kaloriinnehåll, såsom salladsdressing, även om det inte finns på menyn. + När man äter ute be om att byta ut mat. I stället för pommes frites, begär en dubbel beställning av en grönsak som sallad, gröna bönor eller broccoli. + När man äter ute, beställ mat som inte är panerad eller stekt. + När man äter ute be om såser, brunsås och salladsdressing \"på sidan.\" + Sockerfritt betyder egentligen inte sockerfritt. Det innebär 0,5 gram (g) av socker per portion, så var noga med att inte frossa i alltför många sockerfria produkter. + På väg mot en hälsosam vikt hjälper det att kontrollera blodsockret. Din läkare, en dietist och en tränare kan komma igång med en plan som fungerar för dig. + Kontrollera din blodnivå och spåra den i en app som Glucosio två gånger om dagen, det kommer att hjälpa dig att bli medveten om resultaten från mat och livsstilsval. + Få A1c blodprover för att ta reda på din genomsnittliga blodsocker under de senaste två till tre månader. Läkaren bör tala om för dig hur ofta detta test kommer att behövas för att utföras. + Spårning hur många kolhydrater du förbrukar kan vara lika viktigt som att kontrollera blodnivåer eftersom kolhydrater påverkar blodsockernivåerna. Tala med din läkare eller dietist om kolhydratintag. + Styra blodtryck, kolesterol och triglyceridnivåer är viktigt eftersom diabetiker är mottagliga för hjärtsjukdom. + Det finns flera dietmetoder du kan vidta för att äta hälsosammare och bidra till att förbättra din diabetesresultat. Rådgör med en dietist om vad som fungerar bäst för dig och din budget. + Att arbeta på att få regelbunden motion är särskilt viktigt för dem med diabetes och kan hjälpa dig att behålla en hälsosam vikt. Tala med din läkare om övningar som kan vara lämpliga för dig. + Att ha sömnbrist kan få dig att äta mer, speciellt saker som skräpmat och som ett resultat kan det negativt påverka din hälsa. Var noga med att få en god natts sömn och konsultera en sömnspecialist om du har problem. + Stress kan ha en negativ inverkan på diabetes, prata med din läkare eller annan sjukvårdspersonal om att hantera stress. + Besök din läkare en gång om året och har regelbunden kommunikation under hela året är viktigt för att diabetiker ska förhindra plötsliga tillhörande hälsoproblem. + Ta din medicin som ordinerats av din läkare även små missar i din medicin kan påverka din blodsockernivå och orsaka andra biverkningar. Om du har svårt att minnas fråga din läkare om hantering av medicin och påminnelsealternativ. + + + Äldre diabetiker kan löpa större risk för hälsofrågor i samband med diabetes. Tala med din läkare om hur din ålder spelar en roll i din diabetes och vad man ska titta efter. + Begränsa mängden salt du använder för att laga mat och att som du lägger till måltider efter den har tillagats. + + Assistent + Uppdatera nu + Ok, fick den + Skicka in feedback + Lägg till värden + Uppdatera din vikt + Se till att uppdatera din vikt så att Glucosio har en mer exakt information. + Uppdatera din forskning om du vill vara med + Du kan alltid vara med eller inte vara med vid delning av diabetesforskningen, men kom ihåg alla uppgifter som delas är helt anonyma. Vi delar bara demografi och glukosnivå trender. + Skapa kategorier + Glucosio levereras med standardkategorier för glukos-indata, men du kan skapa egna kategorier i inställningarna för att matcha dina unika behov. + Kolla här ofta + Glucosio assistent ger regelbundna tips och kommer att fortsätta att förbättras, så kontrolera alltid här för nyttiga åtgärder som du kan vidta för att förbättra din erfarenhet av Glucosio och andra användbara tips. + Skicka in feedback + Om du hittar några tekniska problem eller har synpunkter om Glucosio rekommenderar vi att du skickar in den i inställningsmenyn för att hjälpa oss att förbättra Glucosio. + Lägga till ett värde + Var noga med att regelbundet lägga till dina glukosvärden så att vi kan hjälpa dig att spåra dina glukosnivåer över tiden. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Standardintervall + Anpassat intervall + Minvärde + Maxvärde + Prova det nu + diff --git a/app/src/main/res/android/values-sv-rSE/google-playstore-strings.xml b/app/src/main/res/android/values-sv-rSE/google-playstore-strings.xml new file mode 100644 index 00000000..94747d0f --- /dev/null +++ b/app/src/main/res/android/values-sv-rSE/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio är en användarcentrerad gratisapp med öppen källkod för personer med diabetes + Genom att använda Glucosio, kan du registrera och spåra blodsockernivåer, anonymt stödja diabetesforskningen genom att bidra med demografiska och anonyma glukostrender och få användbara tips via vår assistent. Glucosio respekterar din integritet och du har alltid kontroll över dina data. + * Användarcentrerad. Glucosio appar byggs med funktioner och en design som matchar användarens behov och vi är ständigt öppna för återkoppling för förbättringar. + * Öppen källkod. Glucosio appar ger dig friheten att använda, kopiera, studera och ändra källkoden för någon av våra appar och även bidra till projektet Glucosio. + * Hantera Data. Med Glucosio kan du spåra och hantera dina diabetesdata från ett intuitivt, modernt gränssnitt byggt med feedback från diabetiker. + * Stödja forskning. Glucosio appar ger användarna möjlighet att välja om de vill dela anonymiserade diabetesuppgifter och demografisk information med forskare. + Vänligen skicka in eventuella buggar, frågor eller önskemål om funktioner på: + https://github.com/glucosio/android + Fler detaljer: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-sv-rSE/strings.xml b/app/src/main/res/android/values-sv-rSE/strings.xml new file mode 100644 index 00000000..31cd2da7 --- /dev/null +++ b/app/src/main/res/android/values-sv-rSE/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Inställningar + Skicka feedback + Översikt + Historik + Tips + Hallå. + Hallå. + Användarvillkor. + Jag har läst och accepterar användarvillkoren + Innehållet på Glucosios hemsida och appar, såsom text, grafik, bilder och annat material (\"innehållet\") är endast i informationssyfte. Innehållet är inte avsett att vara en ersättning för professionell medicinsk rådgivning, diagnos eller behandling. Vi uppmuntrar Glucosio-användare att alltid rådfråga sin läkare eller annan kvalificerad hälsoleverantör med eventuella frågor du har om ett medicinskt tillstånd. Aldrig bortse från professionell medicinsk rådgivning eller försening i söker det på grund av något du läst på Glucosio hemsida eller i våra appar. Glucosio hemsida, blogg, Wiki och andra web browser tillgängligt innehåll (\"webbplatsen\") bör användas endast för det ändamål som beskrivs ovan. \n förlitan på information som tillhandahålls av Glucosio, Glucosio medlemmar, volontärer och andra som förekommer på webbplatsen eller i våra appar är enbart på egen risk. Webbplatsen och innehållet tillhandahålls på grundval av \"som är\". + Vi behöver bara några få enkla saker innan du kan sätta igång. + Land + Ålder + Ange en giltig ålder. + Kön + Man + Kvinna + Annat + Diabetestyp + Typ 1 + Typ 2 + Önskad enhet + Dela anonym data för forskning. + Du kan ändra detta i inställningar senare. + Nästa + Kom igång + Ingen information tillgänglig ännu. \n Lägg till dina första värden här. + Lägg till blodsockernivå + Koncentration + Datum + Tid + Uppmätt + Före frukost + Efter frukost + Innan lunch + Efter lunch + Innan middagen + Efter middagen + Allmänt + Kontrollera igen + Natt + Annat + Avbryt + Lägg till + Ange ett giltigt värde. + Vänligen fyll i alla fält. + Ta bort + Redigera + 1 avläsning borttagen + Ångra + Senaste kontroll: + Trend under senaste månaden: + i intervallet och hälsosam + Månad + Day + Vecka + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + Om + Version + Användarvillkor + Typ + Vikt + Anpassad mätkategori + + Ät mer färska, obearbetade livsmedel för att minska intaget av kolhydrater och socker. + Läs näringsetiketten på förpackningar för mat och drycker för att kontrollera socker och kolhydrater. + När man äter ute, be om fisk eller kött kokt utan extra smör eller olja. + När man äter ute, fråga om de har maträtter med låg natriumhalt. + När man äter ute, ät samma portionsstorlekar som du skulle göra hemma och ta med resterna hem. + När man äter ute be om mat med lågt kaloriinnehåll, såsom salladsdressing, även om det inte finns på menyn. + När man äter ute be om att byta ut mat. I stället för pommes frites, begär en dubbel beställning av en grönsak som sallad, gröna bönor eller broccoli. + När man äter ute, beställ mat som inte är panerad eller stekt. + När man äter ute be om såser, brunsås och salladsdressing \"på sidan.\" + Sockerfritt betyder egentligen inte sockerfritt. Det innebär 0,5 gram (g) av socker per portion, så var noga med att inte frossa i alltför många sockerfria produkter. + På väg mot en hälsosam vikt hjälper det att kontrollera blodsockret. Din läkare, en dietist och en tränare kan komma igång med en plan som fungerar för dig. + Kontrollera din blodnivå och spåra den i en app som Glucosio två gånger om dagen, det kommer att hjälpa dig att bli medveten om resultaten från mat och livsstilsval. + Få A1c blodprover för att ta reda på din genomsnittliga blodsocker under de senaste två till tre månader. Läkaren bör tala om för dig hur ofta detta test kommer att behövas för att utföras. + Spårning hur många kolhydrater du förbrukar kan vara lika viktigt som att kontrollera blodnivåer eftersom kolhydrater påverkar blodsockernivåerna. Tala med din läkare eller dietist om kolhydratintag. + Styra blodtryck, kolesterol och triglyceridnivåer är viktigt eftersom diabetiker är mottagliga för hjärtsjukdom. + Det finns flera dietmetoder du kan vidta för att äta hälsosammare och bidra till att förbättra din diabetesresultat. Rådgör med en dietist om vad som fungerar bäst för dig och din budget. + Att arbeta på att få regelbunden motion är särskilt viktigt för dem med diabetes och kan hjälpa dig att behålla en hälsosam vikt. Tala med din läkare om övningar som kan vara lämpliga för dig. + Att ha sömnbrist kan få dig att äta mer, speciellt saker som skräpmat och som ett resultat kan det negativt påverka din hälsa. Var noga med att få en god natts sömn och konsultera en sömnspecialist om du har problem. + Stress kan ha en negativ inverkan på diabetes, prata med din läkare eller annan sjukvårdspersonal om att hantera stress. + Besök din läkare en gång om året och har regelbunden kommunikation under hela året är viktigt för att diabetiker ska förhindra plötsliga tillhörande hälsoproblem. + Ta din medicin som ordinerats av din läkare även små missar i din medicin kan påverka din blodsockernivå och orsaka andra biverkningar. Om du har svårt att minnas fråga din läkare om hantering av medicin och påminnelsealternativ. + + + Äldre diabetiker kan löpa större risk för hälsofrågor i samband med diabetes. Tala med din läkare om hur din ålder spelar en roll i din diabetes och vad man ska titta efter. + Begränsa mängden salt du använder för att laga mat och att som du lägger till måltider efter den har tillagats. + + Assistent + Uppdatera nu + Ok, fick den + Skicka in feedback + Lägg till värden + Uppdatera din vikt + Se till att uppdatera din vikt så att Glucosio har en mer exakt information. + Uppdatera din forskning om du vill vara med + Du kan alltid vara med eller inte vara med vid delning av diabetesforskningen, men kom ihåg alla uppgifter som delas är helt anonyma. Vi delar bara demografi och glukosnivå trender. + Skapa kategorier + Glucosio levereras med standardkategorier för glukos-indata, men du kan skapa egna kategorier i inställningarna för att matcha dina unika behov. + Kolla här ofta + Glucosio assistent ger regelbundna tips och kommer att fortsätta att förbättras, så kontrolera alltid här för nyttiga åtgärder som du kan vidta för att förbättra din erfarenhet av Glucosio och andra användbara tips. + Skicka in feedback + Om du hittar några tekniska problem eller har synpunkter om Glucosio rekommenderar vi att du skickar in den i inställningsmenyn för att hjälpa oss att förbättra Glucosio. + Lägga till ett värde + Var noga med att regelbundet lägga till dina glukosvärden så att vi kan hjälpa dig att spåra dina glukosnivåer över tiden. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Standardintervall + Anpassat intervall + Minvärde + Maxvärde + Prova det nu + diff --git a/app/src/main/res/android/values-sw-rKE/google-playstore-strings.xml b/app/src/main/res/android/values-sw-rKE/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-sw-rKE/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-sw-rKE/strings.xml b/app/src/main/res/android/values-sw-rKE/strings.xml new file mode 100644 index 00000000..9cb0941c --- /dev/null +++ b/app/src/main/res/android/values-sw-rKE/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Mazingira + Tuma maoni + Muhtasari + Historia + Vidokezo + Habari. + Habari. + Masharti ya matumizi. + Nimepata kusoma na kukubali masharti ya matumizi + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + Tunahitaji tu mambo machache ya haraka kabla ya wewe kuanza. + Nchi + Umri + Tafadhali andika umri halali. + Jinsia + Mwanamume + Mwanamke + Nyingine + Aina ya ugonjwa wa kisukari + Aina ya kwanza + Aina ya pili + Kitengo unayopendelea + Kushiriki data bila majina kwa ajili ya utafiti. + Unaweza kubadilisha mazingira haya baadaye. + IJAYO + Pata kuanza + Hakuna taarifa zilizopo bado. Ongeza yako kwanza kusoma hapa. + Ongeza kiwango cha Glucose katika damu + Ukolezi + Tarehe + Wakati + Imepimwa + Kabla ya kifungua kinywa + Baada ya kifungua kinywa + Kabla ya chakula cha mchana + Baada ya chakula cha mchana + Kabla ya chakula cha jioni + Baada ya chakula cha jioni + Kijumla + Kagua tena + Usiku + Nyingine + GHAIRI + ONGEZA + Tafadhali ingiza thamani hakika. + Tafadhali jaza maeneo yote. + Futa + Hariri + usomaji 1 imefutwa + Tengua + Kuangalia ya mwisho: + Mwenendo zaidi ya mwezi uliopita: + katika mbalimbali na afya njema + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + Kuhusu + Toleo + Masharti ya matumizi + Aina + Weight + Kategoria ya kipimo maalum + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Msaidizi + Sasisha sasa + SAWA, NIMEIPATA + WASILISHA MAONI + ONGEZA KUSOMA + Sasisha uzito wako + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-sw-rTZ/google-playstore-strings.xml b/app/src/main/res/android/values-sw-rTZ/google-playstore-strings.xml new file mode 100644 index 00000000..f2bd68d5 --- /dev/null +++ b/app/src/main/res/android/values-sw-rTZ/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + Maelezo zaidi: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-sw-rTZ/strings.xml b/app/src/main/res/android/values-sw-rTZ/strings.xml new file mode 100644 index 00000000..b10c433e --- /dev/null +++ b/app/src/main/res/android/values-sw-rTZ/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Mpangilio + Tuma mrejesho + Maelezo ya jumla + Historia + Vidokezi + Habari. + Habari. + Maneno yaliyotumika. + Nimesoma na kukubaliana na masharti ya matumizi + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + Tunahitaji mambo machache ya haraka kabla ya wewe kuanza. + Nchi + Umri + Tafadhali andika umri sahihi. + Jinsia + Mwanamume + Mwanamke + Nyingine + Aina ya ugonjwa wa kisukari + Aina ya kwanza + Aina ya pili + Kipimo kilichopendekezwa + Tushirikishe data bila jina kwa ajili ya utafiti. + Unaweza kubadilisha haya kwenye mpangilio hapo baadaye. + IFUATAYO + PATA KUANZA + Hakuna taarifa zinazopatikana kwa sasa.\n Ongeza kipimo chako cha kwanza hapa. + Andika kiwango cha Glukosi kilichopo kwenye damu + Ukolezi + Tarehe + Muda + Ulipima + Kabla ya kifungua kinywa + Baada ya kifungua kinywa + Kabla ya chakula cha mchana + Baada ya chakula cha mchana + Kabla ya chakula cha jioni + Baada ya chakula cha jioni + Kwa ujumla + Thibitisha tena + Usiku + Nyingine + BATILISHA + ONGEZA + Tafadhali ingiza thamani halali. + Tafadhali jaza maeneo yote. + Futa + Hariri + Usomi mmoja umefutwa + TENDUA + Kupima mara ya mwisho: + Mwenendo katika mwezi uliyopita: + ipo kwenye kiwango sahihi na afya njema + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + Kuhusu + Toleo + Masharti ya matumizi + Aina + Uzito + Kundi la kipimo maalum + + Kula vyakula freshi, visivyosindikwa ili kusaidia kupunguza kabohaidreti na uingizaji wa sukari mwilini. + Soma kitambulisho cha lishe kwenye pakiti za vyakula au vinywaji ili kudhibiti sukari na kabohaidreti unayoingiza mwilini. + Unapo kula nje ya nyumbani, agiza samaki au nyama ya kuchamshwa isiyotiwa siagi au mafuta. + Unapo kula nje ya nyumbani, uliza kama wana vyakula vyenye viwango vya chumvi vidogo. + Unapo kula nje ya nyumbani, kula kiasi kile kile ambacho ungekula nyumba na kinachobakia nenda nacho nyumbani. + Unapokula nje ya nyumbani, agiza vyakula vyenye kalori ndogo kama kachumbari, hata kama havipo kwenye menyu. + Unapokula nje ya nyumbani kumbuka kupiga oda ya mbogamboga kama kachumbari, maharage au... mara mbili ya oda ya chipsi. + Unapokula nje na nyumbani, usipige oda ya vyakula vya ngano au vya kukaanga. + Unapo kula nje ya nyumbani, ulizia mchuzi mzito, rojo na kachumbari \"kwa pembeni.\" + Bila sukari haimaanishi kwamba hakina sukari. Ila kinamaanisha gramu 0.5 za sukari kwa kila mlo moja, kwa hivyo kuwa makini usijishughulishe na vyakula vingi visivyo na sukari. + Unapo karibia uzito salama inasaidia sana kuthibiti kiwango cha sukari mwilini. Daktari wako, mwanalishe wako na anayekufundisha mazoezi anaweza kukusaidia kujua mpango ambao utaweza kukusaidia. + Kuangalia na kufuatilia kiwango chako cha damu mara mbili kwa siku kwa kutumia app kama Glucosio kitakusaidia kutambua matokeo kutoka kwenye chakula na uchaguzi wa mwenendo wa maisha. + Pata kipimo cha damu cha A1c kujua wastani wa sukari iliyo mwilini kwa miezi miwili hadi mitatu iliyopita. Daktari wako atakwambia kipimo hiki kitahitajika kuchukuliwa mara ngapi. + Kufuatilia kiwango cha kabohaidreti unachokula ni muhimu kama unavyoangalia kiwango cha sukari kwenye damu kwani kabohaidreti ndiyo inayo athiri kiwango cha sukari kwenye damu. Ongea kuhusu ulaji wa kabohaidreti na daktari wako au mwanalishe wako. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + Kuna njia nyingi za kufanya diet unaweza kula kwa afya zaidi na itakusaidia kuboresha matokeo yako ya ugonjwa huu wa kisukari. Omba ushauri kutoka kwa mwanalishe ya kwamba ni mlo gani utakufaa zaidi na bajeti yako. + Kufanya mazoezi mara nyingi ni muhimu kwa wale wenye ugonjwa wa kisukari na itakusaidia kudumisha uzito sahihi kiafya. Zungumza na daktari wako kuhusu mazoezi gani yatakayokufaa wewe. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Mtembelee daktari wako mara moja kwa mwaka na kuwasiliana naye mara kwa mara katika mwaka mzima ni muhimu kwa watu wenye ungonjwa wa kisukari ili kuzuia dharura za mara kwa mara zinazohusiana na matatizo ya afya. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Weka kikomo kwa kiasi cha chumvi unachotumia ukipika na pia kiasi cha chumvi unachoweka kwenye chakula ambacho kimeshapikwa. + + Msaidizi + HIFADHI SASA + SAWA, NIMEELEWA + WASILISHA MREJESHO + ONGEZA KIPIMO + Hifadhi uzito wapi + Hakikisha unahifadhi uzito wako ili Glucosio iwe na taarifa sahihi zaidi. + Hifadhi utafiti wako -muhimu + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Tengeneza makundi + Glucosio yaja na makundi yaliyoundwa tayari kwa ajili ya kuingiza kiwango cha glukosi ila unaweza pia kutengeneza makundi maalum kwneye mpangilio ili kuendana na upekee wa mahitaji yako. + Angalia hapa mara nyingi + Wasaidizi wa Glucosio hutoa vidokezo vya mara kwa mara ambavyo vitaendelea kuboreshwa, kwa hivyo angalia hapa mara kwa mara ilikuchua nini cha kufanya ili kuboresha uzoefu wako wa Glucosio na kwa kupata vidokezo vingine muhimu. + Wasilisha mrejesho + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Ongeza kipimo + Hakikisha kwamba una ongeza idadi ya kipimo cha glukosi kilichopo mwilini kila wakati ili tukusaidie kufautilia viwango vyako vya glukosi muda kwa muda. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Kiwango kilichopendekezwa + Kiwango maalum + Thamani ya chini + Thamani ya juu + TRY IT NOW + diff --git a/app/src/main/res/android/values-syc-rSY/google-playstore-strings.xml b/app/src/main/res/android/values-syc-rSY/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-syc-rSY/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-syc-rSY/strings.xml b/app/src/main/res/android/values-syc-rSY/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-syc-rSY/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-ta-rIN/google-playstore-strings.xml b/app/src/main/res/android/values-ta-rIN/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-ta-rIN/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-ta-rIN/strings.xml b/app/src/main/res/android/values-ta-rIN/strings.xml new file mode 100644 index 00000000..db5a3961 --- /dev/null +++ b/app/src/main/res/android/values-ta-rIN/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + அமைவுகள் + பின்னூட்டங்களை அனுப்பு + Overview + வரலாறு + குறிப்புகள் + வணக்கம். + வணக்கம். + பயன்பாட்டு முறைமை. + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + நாடு + வயது + சரியான வயதை உள்ளிடவும். + பாலினம் + ஆண் + பெண் + மற்ற + Diabetes type + வகை 1 + வகை 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + அடுத்து + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + தேதி + நேரம் + Measured + காலை உணவிற்க்கு முன் + காலை உணவிற்க்கு பின் + மதிய உணவிற்க்கு முன் + மதிய உணவிற்க்கு பின் + Before dinner + After dinner + பொதுவான + Recheck + இரவு + மற்ற + இரத்து செய் + சேர் + Please enter a valid value. + Please fill all the fields. + அழி + தொகு + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-tay-rTW/google-playstore-strings.xml b/app/src/main/res/android/values-tay-rTW/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-tay-rTW/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-tay-rTW/strings.xml b/app/src/main/res/android/values-tay-rTW/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-tay-rTW/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-te-rIN/google-playstore-strings.xml b/app/src/main/res/android/values-te-rIN/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-te-rIN/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-te-rIN/strings.xml b/app/src/main/res/android/values-te-rIN/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-te-rIN/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-tg-rTJ/google-playstore-strings.xml b/app/src/main/res/android/values-tg-rTJ/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-tg-rTJ/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-tg-rTJ/strings.xml b/app/src/main/res/android/values-tg-rTJ/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-tg-rTJ/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-th-rTH/google-playstore-strings.xml b/app/src/main/res/android/values-th-rTH/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-th-rTH/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-th-rTH/strings.xml b/app/src/main/res/android/values-th-rTH/strings.xml new file mode 100644 index 00000000..67f4e00f --- /dev/null +++ b/app/src/main/res/android/values-th-rTH/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + ตั้งค่า + ส่งคำติชม + ภาพรวม + ประวัติ + เคล็ดลับ + สวัสดี + สวัสดี + เงื่อนไขการใช้ + ฉันได้อ่านและยอมรับเงื่อนไขการใช้งาน + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + ประเทศ + อายุ + กรุณาระบุอายุที่ถูกต้อง + เพศ + ชาย + หญิง + อื่น ๆ + ชนิดของโรคเบาหวาน + ชนิดที่ 1 + ชนิดที่ 2 + หน่วยที่ต้องการ + แบ่งปันข้อมูลนิรนามเพิ่อการวิจัย + คุณสามารถเปลี่ยนการตั้งค่าเหล่านี้ในภายหลัง + ถัดไป + เริ่มต้นใช้งาน + ข้อมูลไม่เพียงพอ \n ป้อนข้อมูลของคุณที่นี่ + เพิ่มค่าระดับน้ำตาลในเลือด + ความเข้มข้น + วันที่ + เวลา + วัดเมื่อ + ก่อนอาหารเช้า + หลังอาหารเช้า + ก่อนอาหารกลางวัน + หลังอาหารกลางวัน + ก่อนอาหารเย็น + หลังอาหารเย็น + ทั่วไป + ตรวจสอบอีกครั้ง + กลางคืน + อื่น ๆ + ยกเลิก + เพิ่ม + กรุณาใส่ค่าถูกต้อง + กรุณากรอกข้อมูลให้ครบทุกรายการ + ลบ + แก้ไข + ลบแล้ว 1 รายการ + เลิกทำ + ตรวจสอบครั้งล่าสุด: + แนวโน้มช่วงเดือนที่ผ่านมา: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + เกี่ยวกับ + เวอร์ชั่น + เงื่อนไขการใช้งาน + ชนิด + น้ำหนัก + Custom measurement category + + กินอาหารสดหรือที่ไม่ผ่านการแปรรูปเพิ่มขึ้น เพื่อช่วยลดคาร์โบไฮเดรตและน้ำตาล + อ่านฉลากโภชนาการบนภาชนะบรรจุอาหารและเครื่องดื่มในการควบคุมการบริโภคน้ำตาลและคาร์โบไฮเดรต + เมื่อรับประทานอาหารนอกบ้าน ขอเป็นเนื้อปลาหรือเนื้อย่างที่ไม่ทาเนยหรือน้ำมัน + เมื่อรับประทานอาหารนอกบ้าน ขอเป็นอาหารโซเดียมต่ำ + เมื่อรับประทานอาหารนอกบ้าน รับประทานในสัดส่วนเดียวกับที่รับประทานที่บ้าน หากเหลือก็นำกลับบ้าน + เมื่อรับประทานอาหารนอกบ้าน เลือกในสิ่งที่ปริมาณแคลอรี่ต่ำ เช่นสลัดผัก แม้ว่าจะไม่อยู่ในเมนู + เมื่อรับประทานอาหารนอกบ้าน ขอเลือกเปลี่ยนเมนู เป็นต้นว่า แทนที่จะเป็นมันฝรั่งทอด ขอเป็นผักสลัด ถั่วลันเตาหรือบรอกโคลี่ + เมื่อรับประทานอาหารนอกบ้าน สั่งอาหารที่ไม่ใช่ขนมปัง หรือของทอด + เมื่อรับประทานอาหารนอกบ้าน ขอแยกซอสราดสลัดต่างหาก + ชูการ์ฟรีไม่ได้หมายความว่าจะปราศจากน้ำตาล หากแต่มีน้ำตาลอยู่ 0.5 กรัม (g) ต่อหนึ่งหน่วยการบริโภค ดังนั้นพึงระวังไม่หลงระเริงไปกับสินค้าชูการ์ฟรี + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + ตรวจเลือดดูระดับ HbA1c เพื่อดูระดับน้ำตาลเฉลี่ยสะสมในเลือดในรอบไตรมาสที่ผ่านมา แพทย์ของคุณควรจะแนะนำว่าจะต้องตรวจดูระดับ HbA1c บ่อยเพียงใด + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + ผู้ช่วย + อัพเดตเดี๋ยวนี้ + ได้ ฉันเข้าใจ + ส่งคำติชม + ADD READING + ปรับปรุงน้ำหนักของคุณ + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + ส่งคำติชม + ในการที่จะช่วยให้เราปรับปรุง Glucosio หากคุณพบปัญหาทางเทคนิคหรือมีข้อเสนอแนะใด ๆ คุณสามารถส่งข้อมูลให้เราได้ในเมนูการตั้งค่า + เพิ่มข้อมูล + ตรวจสอบให้แน่ใจว่าได้บันทึกระดับน้ำตาลกลูโคสเป็นประจำ เพื่อที่เราสามารถช่วยคุณติดตามระดับน้ำตาลกลูโคสตลอดเวลา + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + ช่วงที่ต้องการ + ช่วงที่กำหนดเอง + ค่าต่ำสุด + ค่าสูงสุด + TRY IT NOW + diff --git a/app/src/main/res/android/values-ti-rER/google-playstore-strings.xml b/app/src/main/res/android/values-ti-rER/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-ti-rER/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-ti-rER/strings.xml b/app/src/main/res/android/values-ti-rER/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-ti-rER/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-tk-rTM/google-playstore-strings.xml b/app/src/main/res/android/values-tk-rTM/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-tk-rTM/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-tk-rTM/strings.xml b/app/src/main/res/android/values-tk-rTM/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-tk-rTM/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-tl-rPH/google-playstore-strings.xml b/app/src/main/res/android/values-tl-rPH/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-tl-rPH/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-tl-rPH/strings.xml b/app/src/main/res/android/values-tl-rPH/strings.xml new file mode 100644 index 00000000..8059dcf6 --- /dev/null +++ b/app/src/main/res/android/values-tl-rPH/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Mga Setting + Magpadala ng feedback + Tinging-pangmalawakan + Kasaysayan + Mga tips + Kumusta. + Kumusta. + Patakaran sa Paggamit. + Binasa at sumasang-ayon ako sa Patakaran sa Paggamit + Ang mga nilalaman ng website at apps ng Glucosio, kagaya ng mga teksto, grapiks, larawan, st iba osng materyales (\"Nilalaman\") ay para sa kaalaman lamang. Ang nilalaman ay hindi pakay na panghalili sa propesyonal na payo ng doktor, diagnosis, o panlunas. Hinihikayat namin ang mga taga-gamit ng Glucosio na laginf kumonsulta sa doktor o sa iba pang kwalipikadong health provider sa kahit na anong katanungang tungkol sa inyong kundisyong pangkalusugan. Huwag isa-isang-tabi o ipagpa-bukas ang pagpapakonsulta nang dahil sa kung anong inyong nabasa sa website o sa apps ng Glucosio. Ang website, blog, wiki, at iba psng mga nilalamang nakakalap sa pamamagitan ng web browser (\"Website\") ay dapat lamang gamitin sa mga kadahilanang inilarawan sa itaas. \n Ang pagbabatay sa kahit alinmang impormasyong ibinahagi ng Glucosio, ng mga kasali sa pangkat Glucosio, mga boluntaryo at iba pang nakikita sa aming website o apps ay + Kinakailangan natin ng ilang mga bagay bago tayo magsimula. + Bansa + Edad + Paki lagay ang tamang edad. + Kasarian + Lalaki + Babae + Iba pa + Uri ng Diabetes + Type 1 + Type 2 + Ninanais na unit + Ibahagi ang mga anonymous data para sa pananaliksik. + Maaring palitang ang settings sa paglaon. + SUSUNOD + MAGSIMULA + Wala pang impormasyon. \n Ilagay ang iyong unang reading dito. + Ilagay ang Blood Glucose Level + Konsentrasyon + Petsa + Oras + Sinukat + Bago mag-almusal + Matapos mag-almusal + Bago mananghalian + Matapos mananghalian + Bago mag-hapunan + Matapos maghapunan + Pangkalahatan + Subukin muli + Gabi + Iba pa + Kanselahin + Idagdag + Mangyaring ilagay ang tamang value. + Paki-punan ang lahat ng kahon. + Burahin + Baguhin + 1 reading ang binura + Ibalik + Huling check: + Trend sa nakalipas na buwan: + pasok sa range at may kalusugan + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + Patungkol + Bersyon + Patakaran sa Paggamit + Uri + Weight + Kategorya ng pansariling sukatan + + Kumain ng mas maraming sariwa, hindi prinosesong pagkain upang mabawasan ang pagpasok sa katawan ng carbohydrates at asukal. + Basahin ang nutritional label sa mga nakapaketeng pagkain at inumin upang makontrol ang pagpasok sa katawan ng carbihydrate at asukal. + Kapag kumakain sa labas, piliin ang isda o karneng inihaw nang walang dagdag na butter o mantika. + Kung kakain sa labas, piliin ang mga pagkaing mababa sa sodium. + Kung kakain sa labas, kumain ng kaparehong sukat na kagaya nang kung kumakain sa bahay at iuwi ang mga tirang pagkain. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-tn-rZA/google-playstore-strings.xml b/app/src/main/res/android/values-tn-rZA/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-tn-rZA/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-tn-rZA/strings.xml b/app/src/main/res/android/values-tn-rZA/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-tn-rZA/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-tr-rTR/google-playstore-strings.xml b/app/src/main/res/android/values-tr-rTR/google-playstore-strings.xml new file mode 100644 index 00000000..b82744c0 --- /dev/null +++ b/app/src/main/res/android/values-tr-rTR/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio, kullanıcı bazlı, açık kaynak kodlu bir diyabet yardım uygulamasıdır + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Araştırmaları desteklemek. Glucosio apps kullanıcıların anonim diyabet veri ve demografik bilgi araştırmacılar ile paylaşmaya katılımı seçeneği sunar. + Lütfen herhangi bir dosya hatası, yavaşlama, sorun veya istekleriniz için buraya başvurun: + https://github.com/glucosio/android + Daha fazla bilgi: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-tr-rTR/strings.xml b/app/src/main/res/android/values-tr-rTR/strings.xml new file mode 100644 index 00000000..445976b0 --- /dev/null +++ b/app/src/main/res/android/values-tr-rTR/strings.xml @@ -0,0 +1,137 @@ + + + + Glucosio + Ayarlar + Geribildirim gönder + Önizleme + Geçmiş + İpuçları + Merhaba. + Merhaba. + Kullanım Şartları. + Kullanım şartlarını okudum ve kabul ediyorum + Glucosio Web sitesi, grafik, resim ve diğer malzemeleri (\"içerik\") gibi şeyler sadece +bilgilendirme amaçlıdır. Doktorunuzun söylediklerinin yanı sıra, size yardımcı olmak için hazırlanan profesyonel bir uygulamadır. Nitelikli sağlık denetimi için her zaman doktorunuza danışın. Uygulama profesyonel bir sağlık uygulamasıdır, fakat asla ve asla doktorunuza görünmeyi ihmal etmeyin ve uygulamanın söylediklerine göre doktorunuza gitmemezlik etmeyin. Glucosio Web sitesi, Blog, Wiki ve diğer erişilebilir içerik (\"Web sitesi\") yalnızca yukarıda açıklanan amaç için kullanılmalıdır. \n güven Glucosio, Glucosio ekip üyeleri, gönüllüler ve diğerleri tarafından sağlanan herhangi bir bilgi Web sitesi veya bizim uygulamamız içerisinde görülen sadece vasıl senin kendi tehlike üzerindedir. Site ve içeriği \"olduğu gibi\" bazında sağlanır. + Başlamadan önce birkaç şey yapmamız gerekiyor. + Ülke + Yaş + Lütfen geçerli bir yaş giriniz. + Cinsiyet + Erkek + Kadın + Diğer + Diyabet türü + Tip 1 + Tip 2 + Tercih edilen birim + Araştırma için kimliksiz bilgi gönder. + Bu ayarları daha sonra değiştirebilirsiniz. + SONRAKİ + BAŞLA + Bilgi henüz yok. \n Buraya ekleyebilirsiniz. + Kan glikoz düzeyini Ekle + Konsantrasyon + Tarih + Zaman + Ölçülen + Kahvaltıdan önce + Kahvaltıdan sonra + Öğle yemeğinden önce + Öğle yemeğinden sonra + Akşam yemeğinden önce + Akşam yemeğinden sonra + Genel + Yeniden denetle + Gece + Diğer + İptal + EKLE + Lütfen geçerli bir değer girin. + Lütfen tüm boşlukları doldurun. + Sil + Düzenle + 1 okuma silindi + GERİ AL + Son kontrol: + Son bir ay içindeki trend: + aralığın içinde bulunan ve aynı zamanda sağlıklı + Ay + Gün + Hafta + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + Hakkında + Sürüm + Kullanım Şartları + Tür + Ağırlık + Özel ölçüm kategorisi + + Karbonhidrat ve şeker alımını en aza indirmek için taze ve işlenmemiş gıdalar tüketin. + Paketlenmiş ürünlerin karbonhidrat ve şeker düzeyini kontrol etmek için etiketlerini okuyun. + Dışarıda yerken, ekstra hiç bir yağ veya tereyağı olmadan balık, et ızgara isteyin. + Dışarıda yerken, düşük sodyumlu yemekleri olup olmadığını sorun. + Dışarıda yerken, evde yediğiniz porsiyon kadar sipariş edin. Geri kalanları ise eve götürmeyi isteyin. + Dışarıda yerken düşük kalorilileri tercih edin, salata sosları gibi, menüde olmasa bile isteyin. + Dışarıda yemek yerken değişim istemekten çekinmeyin. Patates kızartması yerine çift porsiyon sebze isteyin, örneğin salata, yeşil fasulye veya brokoli gibi. + Dışarıda yerken kızartılmış ürünlerden kaçının. + Dışarıda yemek yerken sos istediğinizde salatanın \"kenarına\" koymalarını isteyin + Şekersiz demek, tamamen şeker içermiyor demek değildir. Porsiyon başına 0.5 gram şeker içeriyor demektir. Yani çok fazla \"şekersiz\" ürün tüketmeyin. + Hareket ederek kilo vermek kan şekerinizin kontrolünde size yardımcı olur. Bir doktordan, diyetisyenden veya fitness eğitmeninden çalışmanız için plan yardım alabilirsiniz. + Glucosio gibi uygulamalarla günde iki defa kan düzeyinizi kontrol etmek ve takip etmek sizi istenmeyen sonuçlardan uzak tutacaktır. + Son 2 - 3 aylık ortalama kan şekerinizi öğrenmek için A1c kan testi yapın. Doktorunuz bu testi ne sıklıkla yapmanız gerektiğini size söyleyecektir. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Diyabet hastalığı kalp duyarlı olduğundan tansiyon, kolesterol ve trigliserid düzeylerini kontrol etmek önemlidir. + Sağlıklı beslenme ve diyabet sonuçlar geliştirmek yardım için yapabileceğiniz birçok diyet yaklaşım vardır. Bir diyetisyenden tavsiye almak işinize yarayacaktır. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Yardımcı + Şimdi Güncelleştir + TAMAM, ANLADIM + GERİ BİLDİRİM GÖNDER + OKUMA EKLE + Kilonuzu güncelleştirin + Kilonuzu sık sık güncelleyin böylece Glucosio en en doğru bilgilere sahip olsun. + Araştırmanı güncelle opt-in + Her zaman opt-in yada opt-out diyabet gidişatını paylaşabilirsin, ama unutma paylaşılan tüm verilerin tamamen anonim olduğunu unutmayın. Paylaştığımız sadece demografik ve glikoz seviyesi eğilimleri. + Kategorileri oluştur + Glucosio glikoz girişi için varsayılan kategoriler bulundurmaktadır ancak benzersiz gereksinimlerinize ayarlarında özel kategoriler oluşturabilirsiniz. + Burayı sık sık kontrol et + Glucosio Yardımcısı düzenli ipuçları sağlar ve ilerlemeyi kaydeder, bu yüzden her zaman burayı, Glucosio deneyiminizi geliştirmek için yapabileceğiniz faydalı işlemler ve diğer yararlı ipuçları için kontrol edin. + Geribildirim Gönder + Eğer herhangi bir teknik sorun bulursanız veya Glucosio hakkında geribildiriminiz varsa Glucosio\'yu geliştirmemize yardımcı olmak için Ayarlar menüsünden geribildirim göndermeyi öneririz. + Bir okuma Ekle + Glikoz değerlerinizi düzenli olarak eklediğinizden emin olun böylece glikoz seviyenizi takip edebilelim. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Tercih edilen aralık + Özel Aralık + En küçük değer + Max. değer + ŞİMDİ DENE + diff --git a/app/src/main/res/android/values-ts-rZA/google-playstore-strings.xml b/app/src/main/res/android/values-ts-rZA/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-ts-rZA/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-ts-rZA/strings.xml b/app/src/main/res/android/values-ts-rZA/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-ts-rZA/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-tt-rRU/google-playstore-strings.xml b/app/src/main/res/android/values-tt-rRU/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-tt-rRU/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-tt-rRU/strings.xml b/app/src/main/res/android/values-tt-rRU/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-tt-rRU/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-tw-rTW/google-playstore-strings.xml b/app/src/main/res/android/values-tw-rTW/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-tw-rTW/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-tw-rTW/strings.xml b/app/src/main/res/android/values-tw-rTW/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-tw-rTW/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-ty-rPF/google-playstore-strings.xml b/app/src/main/res/android/values-ty-rPF/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-ty-rPF/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-ty-rPF/strings.xml b/app/src/main/res/android/values-ty-rPF/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-ty-rPF/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-tzl/google-playstore-strings.xml b/app/src/main/res/android/values-tzl/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-tzl/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-tzl/strings.xml b/app/src/main/res/android/values-tzl/strings.xml new file mode 100644 index 00000000..438a0a13 --- /dev/null +++ b/app/src/main/res/android/values-tzl/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Setatxen + Send feedback + Overview + Þistoria + Tüdeis + Azul. + Azul. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Päts + Vellità + Please enter a valid age. + Xhendreu + Male + Female + Other + Sorta del sücritis + Sorta 1 + Sorta 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Cuncentraziun + Däts + Temp + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + Xheneral + Recheck + Nic\'ht + Other + NIÞILIÇARH + AXHUNTARH + Please enter a valid value. + Please fill all the fields. + Zeletarh + Redactarh + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + Över + Verziun + Terms of use + Sorta + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Axhutor + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-ug-rCN/google-playstore-strings.xml b/app/src/main/res/android/values-ug-rCN/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-ug-rCN/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-ug-rCN/strings.xml b/app/src/main/res/android/values-ug-rCN/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-ug-rCN/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-uk-rUA/google-playstore-strings.xml b/app/src/main/res/android/values-uk-rUA/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-uk-rUA/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-uk-rUA/strings.xml b/app/src/main/res/android/values-uk-rUA/strings.xml new file mode 100644 index 00000000..5389089a --- /dev/null +++ b/app/src/main/res/android/values-uk-rUA/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Параметри + Надіслати відгук + Огляд + Історія + Рекомендації + Привіт. + Привіт. + Умови використання. + Я прочитав та приймаю умови використання + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Країна + Вік + Будь ласка, вкажіть правильний вік. + Стать + Чоловік + Жінка + Інше + Тип діабету + Тип 1 + Тип 2 + Бажані одиниці + Поділитися анонімними даними для подальшого дослідження. + Ви можете змінити ці налаштування пізніше. + НАСТУПНИЙ + РОЗПОЧНЕМО + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Дата + Час + Measured + Перед сніданком + Після сніданку + Перед обідом + Після обіду + Перед вечерею + Після вечері + General + Повторна перевірка + Ніч + Інше + СКАСУВАТИ + ДОДАТИ + Будь ласка, введіть припустиме значення. + Будь ласка, заповніть всі поля. + Вилучити + Редагувати + 1 reading deleted + СКАСУВАТИ + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + Якщо ви знайшли будь-які технічні недоліки або хочете написати відгук про Glucosio то ви можете зробити це в меню \"Параметри\", що допоможе нам покращити Glucosio. + Add a reading + Переконайтеся, що ви регулярно подаєте ваші показники глюкози, щоб ми могли допомогти вам відстежувати ваш рівень глюкози з часом. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-ur-rPK/google-playstore-strings.xml b/app/src/main/res/android/values-ur-rPK/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-ur-rPK/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-ur-rPK/strings.xml b/app/src/main/res/android/values-ur-rPK/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-ur-rPK/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-uz-rUZ/google-playstore-strings.xml b/app/src/main/res/android/values-uz-rUZ/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-uz-rUZ/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-uz-rUZ/strings.xml b/app/src/main/res/android/values-uz-rUZ/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-uz-rUZ/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-val-rES/google-playstore-strings.xml b/app/src/main/res/android/values-val-rES/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-val-rES/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-val-rES/strings.xml b/app/src/main/res/android/values-val-rES/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-val-rES/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-ve-rZA/google-playstore-strings.xml b/app/src/main/res/android/values-ve-rZA/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-ve-rZA/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-ve-rZA/strings.xml b/app/src/main/res/android/values-ve-rZA/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-ve-rZA/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-vec-rIT/google-playstore-strings.xml b/app/src/main/res/android/values-vec-rIT/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-vec-rIT/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-vec-rIT/strings.xml b/app/src/main/res/android/values-vec-rIT/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-vec-rIT/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-vi-rVN/google-playstore-strings.xml b/app/src/main/res/android/values-vi-rVN/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-vi-rVN/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-vi-rVN/strings.xml b/app/src/main/res/android/values-vi-rVN/strings.xml new file mode 100644 index 00000000..96f33220 --- /dev/null +++ b/app/src/main/res/android/values-vi-rVN/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Cài đặt + Gửi phản hồi + Tổng quan + Lịch sử + Mẹo + Xin chào. + Xin chào. + Điều khoản sử dụng. + Tôi đã đọc và chấp nhận các điều khoản sử dụng + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Quốc gia + Tuổi + Vui lòng nhập tuổi hợp lệ. + Giới tính + Nam + Nữ + Khác + Diabetes type + Type 1 + Type 2 + Preferred unit + Chia sẻ dữ liệu ẩn danh cho nghiên cứu. + Bạn có thể thay đổi này trong cài đặt sau đó. + TIẾP THEO + BẮT ĐẦU + No info available yet. \n Add your first reading here. + Thêm mức độ Glucose trong máu + Concentration + Ngày tháng + Thời gian + Đo + Trước khi ăn sáng + Sau khi ăn sáng + Trước khi ăn trưa + Sau khi ăn trưa + Trước khi ăn tối + Sau khi ăn tối + Tổng quát + Kiểm tra lại + Buổi tối + Khác + HỦY BỎ + THÊM + Vui lòng nhập một giá trị hợp lệ. + Xin vui lòng điền vào tất cả các mục. + Xoá + Chỉnh sửa + 1 reading deleted + HOÀN TÁC + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-vls-rBE/google-playstore-strings.xml b/app/src/main/res/android/values-vls-rBE/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-vls-rBE/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-vls-rBE/strings.xml b/app/src/main/res/android/values-vls-rBE/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-vls-rBE/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-wa-rBE/google-playstore-strings.xml b/app/src/main/res/android/values-wa-rBE/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-wa-rBE/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-wa-rBE/strings.xml b/app/src/main/res/android/values-wa-rBE/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-wa-rBE/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-wo-rSN/google-playstore-strings.xml b/app/src/main/res/android/values-wo-rSN/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-wo-rSN/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-wo-rSN/strings.xml b/app/src/main/res/android/values-wo-rSN/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-wo-rSN/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-xh-rZA/google-playstore-strings.xml b/app/src/main/res/android/values-xh-rZA/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-xh-rZA/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-xh-rZA/strings.xml b/app/src/main/res/android/values-xh-rZA/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-xh-rZA/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-yo-rNG/google-playstore-strings.xml b/app/src/main/res/android/values-yo-rNG/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-yo-rNG/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-yo-rNG/strings.xml b/app/src/main/res/android/values-yo-rNG/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-yo-rNG/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-zea/google-playstore-strings.xml b/app/src/main/res/android/values-zea/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-zea/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-zea/strings.xml b/app/src/main/res/android/values-zea/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-zea/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values-zh-rCN/google-playstore-strings.xml b/app/src/main/res/android/values-zh-rCN/google-playstore-strings.xml new file mode 100644 index 00000000..f6f41b98 --- /dev/null +++ b/app/src/main/res/android/values-zh-rCN/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio 是一个以用户为中心的针对糖尿病患者的免费、开源应用 + 使用 Glucosio,您可以输入和跟踪血糖水平,匿名支持人口统计学和不记名血糖趋势的糖尿病研究,以及从我们的小助手获得有益的提示。Glucosio 尊重您的隐私权,您始终可以控制自己的数据。 + * 以用户为中心。Glucosio 应用的功能和设计以用户需求为准则,我们持久开放反馈渠道并进行改进。 + * 开源。Glucosio 允许您自由的使用、复制、学习和更改我们应用的源代码,以及为 Glucosio 项目进行贡献。 + * 管理数据。Glucosio 允许您跟踪和管理自己的糖尿病数据,以直观、现代化的界面,基于糖尿病患者的反馈而建立。 + * 支持学术研究。Glucosio 应用给用户可选退出的选项,来分享匿名化的糖尿病数据和人口统计信息供学术研究。 + 请将 Bug、问题或功能请求填报到: + https://github.com/glucosio/android + 更多信息: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-zh-rCN/strings.xml b/app/src/main/res/android/values-zh-rCN/strings.xml new file mode 100644 index 00000000..baaf3ab6 --- /dev/null +++ b/app/src/main/res/android/values-zh-rCN/strings.xml @@ -0,0 +1,137 @@ + + + + Glucosio + 设置 + 发送反馈 + 概览 + 历史记录 + 小提示 + 你好 + 你好 + 使用条款。 + 我已经阅读并接受使用条款 + Glucosio 网站的内容,包括文字、图形、图像及其他材料(内容)均仅供参考。内容不能取代专业的医疗建议、诊断和治疗。我们鼓励 Glucosio 的用户始终与你的医生或者其他合格的健康提供者提出有关医疗的问题。千万不要因为阅读了我们的 Glucosio 网站或应用而忽视或者耽搁专业的医疗咨询。Glucosio 网站、博客、Wiki 及其他网络浏览器可访问的内容(网站)应仅用于上述目的。\n来自 Glucosio、Glucosio 团队成员、志愿者,以及其他出现在我们网站或应用中的内容均需要您自担风险。网站和内容按“原样”提供。 + 在开始使用前,我们需要少许时间。 + 国家 / 地区 + 年龄 + 请输入一个有效的年龄。 + 性别 + + + 其他 + 糖尿病类型 + 1型糖尿病 + 2型糖尿病 + 首选单位 + 分享匿名数据供研究用途。 + 您可以在以后更改这些设置。 + 下一步 + 开始使用 + 尚无可用信息。\n先在这里阅读一些信息吧。 + 添加血糖水平 + 浓度 + 日期 + 时间 + 测量于 + 早餐前 + 早餐后 + 午餐前 + 午餐后 + 晚餐前 + 晚餐后 + 常规 + 重新检查 + 夜间 + 其他 + 取消 + 添加 + 请输入有效的值。 + 请填写所有字段。 + 删除 + 编辑 + 1 读删除 + 撤销 + 上次检查: + 过去一个月的趋势: + 范围与健康 + + + + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + 关于 + 版本 + 使用条款 + 类型 + 体重 + 自定义测量分类 + + 多吃新鲜的未经加工的食品,帮助减少碳水化合物和糖的摄入量。 + 阅读包装食品和饮料的营养标签,控制糖和碳水化合物的摄入量。 + 外出就餐时,问是否有鱼或者未用油烤制而成的肉。 + 外出就餐时,问他们是否有低钠的食品。 + 外出就餐时,只吃与在家和外带打包相同的份量。 + 外出就餐时,问是否有低卡路里的食物,比如沙拉酱,即使这没写在菜单上。 + 外出就餐时学会替代。不要点炸薯条,应该要绿豆、西兰花、蔬菜沙拉等视频。 + 外出就餐时,订单不裹面包屑或油炸的食品。 + 外出就餐时要求把酱汁、肉汁和沙拉酱放在一边,适量添加。 + 无糖并不是真的无糖。它意味着每100克或毫升有不超过 0.5 克糖。所以不要沉醉于太多的无糖食品。 + 迈向健康的体重有助于控制血糖。你的医生、营养师或健康教练可以带你开始一个适合你的健康计划。 + 检查你的血液水平,并且在像是 Glucosio 之类的应用中跟踪,一天两次。这将有助于你了解选择食物和生活方式的结果。 + 进行糖化血红蛋白测试,找出你过去两三个月中的平均血糖。你的医生应该会告诉你,这样的测试应该每 +多久进行一次。 + 监测你消耗了多少碳水化合物,因为碳水化合物会影响血糖水平。与你的医生谈谈应该摄入多少碳水化合物。 + 控制血压、胆固醇和甘油三酯水平也很重要,因为糖尿病患者易患心脏疾病。 + 几种健康的饮食方法可以让你更健康,改善糖尿病的结果。与你的营养师咨询,找到最适合你的预算和日常的方案。 + 进行日常的锻炼活动,这有助于保持健康的体重,特别是对于糖尿病患者。你的医生会与你谈谈适合你的健身方式。 + 失眠可能使你吃更多,特别是垃圾食品,因此可能对你的健康产生负面影响。一定要有良好的睡眠,如果有睡眠困难情况,与相关专家请教吧。 + 压力可能对糖尿病带来负面影响,与你的医生或者其他医疗专业人士谈谈吧。 + 每年去看一次你的医生,全年定期沟通对糖尿病患者很重要,可防止突发的相关健康问题。 + 按医生处方服药,小小的偏差就可能影响你的血糖水平和引起其他副作用。如果你很难记住,向医生要一份药品管理和记忆的方法。 + + + 老年的糖尿病人遇到与糖尿病相关的健康风险可能性更高。询问你的医生,关于在你的年龄如何监控糖尿病的情况,以及注意事项。 + 限制您添加的食盐量,并且在烹熟加入。 + + 助理 + 立即更新 + 好的,知道了! + 提交反馈 + 添加阅读 + 更新你的体重 + 请确保更新你的体重,以便 Glucosio 有最准确的信息。 + 更新你的研究选项 + 您随时可以选择加入或退出糖尿病研究资源共享,但请了解所有共享的数据都是完全匿名的。我们只分享人口统计和血糖水平趋势。 + 创建分类 + Glucosio 默认带有血糖读数分类,您还可以在设置中创建自定义的分类以满足您的独特需求。 + 经常检查这里 + Glucosio 助理提供定期的提示并将不断改善,因此请经常检查这里的提示,这有助您采取措施来提高使用 Glucosio 的经验和技巧。 + 提交反馈 + 如果您发现了任何技术问题,或有关于 Glucosio 的反馈,我们鼓励您在设置菜单中提交它,以帮助我们改进 Glucosio。 + 添加阅读 + 一定要定期添加您的血糖读数,以便我们帮助您随时间跟踪您的血糖水平。 + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + 首选范围 + 自定义范围 + 最小值 + 最大值 + 现在试试它 + diff --git a/app/src/main/res/android/values-zh-rTW/google-playstore-strings.xml b/app/src/main/res/android/values-zh-rTW/google-playstore-strings.xml new file mode 100644 index 00000000..310d3b43 --- /dev/null +++ b/app/src/main/res/android/values-zh-rTW/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio 是一套針對糖尿病患所設計,以使用者為中心,自由且開放原始碼的應用程式 + 您可以使用 Glucosio 輸入並追蹤您的血糖值、匿名地提供人口統計與血糖趨勢資訊來幫助研究,並透過 Glucosio 小幫手得到一些關於控制血糖的有用秘訣。Glucosio 尊重您的隱私,您可以隨時控制自己的資料。 + * 以使用者為中心。Glucosio 依照使用者的需求來設計功能與應用程式,我們也持續接受意見回饋,以便改善。 + * 開放原始碼。您可以自由地使用、複製、研究、修改 Glucosio 的任何原始碼,要加入幫忙開發也沒問題。 + * 管理資料。Glucosio 讓您可透過由糖尿病患提供意見、直覺、現代化的介面來追蹤管理您的糖尿病相關資料。 + * 支援研究。Glucosio 程式中可讓使用者自由選擇是否將糖尿病與人口統計相關資料匿名地分享給研究者。 + 若遇到任何 bug、問題、想要新功能,請在此回報: + https://github.com/glucosio/android + 更多資訊: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-zh-rTW/strings.xml b/app/src/main/res/android/values-zh-rTW/strings.xml new file mode 100644 index 00000000..7e280ed2 --- /dev/null +++ b/app/src/main/res/android/values-zh-rTW/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + 設定 + 傳送意見回饋 + 概觀 + History + 秘訣 + Hello. + Hello. + Terms of Use + 我已閱讀並接受使用條款。 + Glucosio 網站與應用程式當中的內容,包含文字、圖片、圖形及其他內容(簡稱「內容」)僅作為資訊提供。這些內容並非為了要取代專業醫療建議、診斷或治療。我們建議 Glucosio 使用者若遇到任何醫療相關問題時,諮詢醫生或其他相關專業人士。請務必不要因為在 Glucosio 網站或應用程式當中閱讀的任何資訊而忽略任何資料建議或延誤就醫。Glucosio 網站、部落格、維基與其他網頁瀏覽器可存取的內容(簡稱「網站」)應僅供上述目的使用。\n由 Glucosio、Glucosio 團隊成員、志工或其他人提供於網站或應用程式的可靠度應由使用者自行判斷。網站與內容均僅依照「現況」提供。 + 在開始使用前要先向您詢問幾個小問題。 + 國家 + 年齡 + 請輸入有效年齡。 + 性别 + + + 其他 + 糖尿病類型 + 第一型 + 第二型 + 偏好單位 + 匿名地分享資料提供研究。 + 您以後可以更改這些設定。 + 下一步 + GET STARTED + 還沒有資訊。\n在此新增您的第一筆血糖紀錄。 + 新增血糖值 + 濃度 + 日期 + 時間 + 測量於 + 早餐前 + 早餐後 + 午餐前 + 午餐後 + 晚餐前 + 晚餐後 + 一般 + 重新檢查 + 夜晚 + 其他 + 取消 + 新增 + 請輸入有效的值。 + 請輸入所有欄位。 + 刪除 + 編輯 + 已刪除一筆紀錄 + 還原 + 上次檢查: + 上個月的趨勢: + 控制數值並保持健康 + + + + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + 關於 + 版本 + 使用條款 + 類型 + 體重 + 自訂測量類別 + + 吃更多更新鮮、未經加工處理的食物來幫助降低攝取的碳水化合物與糖份。 + 購買食品與飲料前,閱讀包裝上的營養標籤來控制攝取的糖份與碳水化合物份量。 + 在外用餐時,詢問是否有水煮、未加調味的魚類或肉類。 + 在外用餐時,詢問是否有低鈉餐點。 + 在外用餐時,吃跟在家裡吃的時候一樣的份量,剩下打包帶走。 + 在外用餐時,就算菜單上沒寫,還是詢問沙拉醬等佐料是否有低熱量的選擇。 + 在外用餐時,詢問是否有不同餐點選擇,例如把薯條換成兩份蔬菜沙拉、青豆、花椰菜等。 + 在外用餐時,避免吃裹粉或油炸的食物。 + 在外用餐時,詢問是否可將醬汁、滷汁、沙拉醬等放到一邊或分開上餐。 + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + 控制在健康的體重對於控制血糖有很大的幫助。您的醫師、營養師、健身教練都能夠幫助您開始規劃最適合您的減重方式。 + 每天測量血糖值兩次,並且記錄在 Glucosio 這類應用程式,可幫助您控制飲食與生活習慣。 + 測量 A1c 糖化血色素可找出您過去 2~3 個月的平均血糖值。您的醫生應該會告訴您多久要測量一次。 + 追蹤您攝取多少碳水化合物與檢查血糖值一樣重要,因為碳水化合物會影響血糖值。請向您的醫生或營養師諮詢應該攝取多少碳水化合物。 + 控制血壓、膽固醇與三酸甘油酯的數值也很重要,糖尿病患也容易罹患心臟相關疾病。 + 您可以採取一些不同的飲食控制方式來吃得更健康、並且改善您的糖尿病。請諮詢營養師什麼樣的飲食最適合您。 + 持續進行運動鍛鍊對於糖尿病患者來說相當重要,這可幫助您維持健康的體重。請諮詢醫生您適合進行哪些運動。 + 不好好睡覺會讓您吃下更多垃圾食物,對健康造成影響。請務必睡好,若有困難的話請諮詢睡眠專家。 + 壓力對糖尿病可能也會有負面的影響。請向您的醫師或其他專業醫療人士諮詢如何應對壓力。 + 每年看一次醫生,平時也與醫生保持聯繫相當重要,讓糖尿病患者能夠避免突然遇到相關引發的健康問題。 + 務必依照醫師處方服藥。就算是一小段時間忘記也會影響血糖值,造成其他副作用。若您無法記得服藥,請向醫施詢問用藥管理與自我提醒的方式。 + + + 年紀較大的糖尿病患對於糖尿病相關健康問題會有較大的風險,請向醫師諮詢您的年齡與糖尿病之間的關係,並且應該多注意那些事情。 + 減少料理時使用的鹽分,僅在煮好之後再添加至餐點中。 + + 小幫手 + 立刻更新 + 好,收到! + 送出意見回饋 + 新增測量讀數 + 更新您的體重 + 記得要常在此更新您的體重,這樣 Glucosio 才能有最準確的資訊。 + 參與研究意願 + 您隨時可以選擇參與或退出糖尿病研究的資料分享,所有分享出的資料都是完全匿名的,我們只會分享基本的人口統計資料與血糖值趨勢。 + 建立分類 + Glucosio 有一些血糖值的預設分類,您也還是可以在設定中自訂分類來滿足您的需求。 + 常看看這裡 + Glucosio 血糖小幫手提供控制血糖的小祕訣,並會持續改善。請常回來看看有沒有什麼能改善您的 Glucosio 使用體驗的新鮮事,或是其他有用的小祕訣。 + 送出意見回饋 + 若您發現任何技術問題,或是對 Glucosio 有任何意見想說,我們相當歡迎您在設定選單告訴我們,以幫助我們改善 Glucosio。 + 新增測量值 + 務必定期紀錄血糖測量值,這樣才能幫助您追蹤血糖值。 + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + 建議體重範圍標準 + 自訂範圍 + 最小值 + 最大值 + 立刻試試 + diff --git a/app/src/main/res/android/values-zu-rZA/google-playstore-strings.xml b/app/src/main/res/android/values-zu-rZA/google-playstore-strings.xml new file mode 100644 index 00000000..b0ae4e63 --- /dev/null +++ b/app/src/main/res/android/values-zu-rZA/google-playstore-strings.xml @@ -0,0 +1,18 @@ + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + More details: + http://www.glucosio.org/ + diff --git a/app/src/main/res/android/values-zu-rZA/strings.xml b/app/src/main/res/android/values-zu-rZA/strings.xml new file mode 100644 index 00000000..df9faee7 --- /dev/null +++ b/app/src/main/res/android/values-zu-rZA/strings.xml @@ -0,0 +1,136 @@ + + + + Glucosio + Settings + Send feedback + Overview + History + Tips + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + Gender + Male + Female + Other + Diabetes type + Type 1 + Type 2 + Preferred unit + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + 1 reading deleted + UNDO + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + About + Version + Terms of use + Type + Weight + Custom measurement category + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings \"on the side.\" + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + Preferred range + Custom range + Min value + Max value + TRY IT NOW + diff --git a/app/src/main/res/android/values/attrs.xml b/app/src/main/res/android/values/attrs.xml new file mode 100644 index 00000000..bb11bb71 --- /dev/null +++ b/app/src/main/res/android/values/attrs.xml @@ -0,0 +1,5 @@ + + + + 1 + \ No newline at end of file diff --git a/app/src/main/res/android/values/colors.xml b/app/src/main/res/android/values/colors.xml new file mode 100644 index 00000000..01d721ae --- /dev/null +++ b/app/src/main/res/android/values/colors.xml @@ -0,0 +1,19 @@ + + + + #FFFFFF + + #E84579 + #C23965 + #F0D04C + #eaeaea + #D1D1D1 + #323232 + #000000 + #686E71 + #46a644 + #e04737 + #F9F9F9 + @color/glucosio_pink + @color/glucosio_pink_dark + \ No newline at end of file diff --git a/app/src/main/res/android/values/dimens.xml b/app/src/main/res/android/values/dimens.xml new file mode 100644 index 00000000..47c82246 --- /dev/null +++ b/app/src/main/res/android/values/dimens.xml @@ -0,0 +1,5 @@ + + + 16dp + 16dp + diff --git a/app/src/main/res/android/values/google-playstore-strings.xml b/app/src/main/res/android/values/google-playstore-strings.xml new file mode 100644 index 00000000..41053791 --- /dev/null +++ b/app/src/main/res/android/values/google-playstore-strings.xml @@ -0,0 +1,29 @@ + + + + + + + + Glucosio + Glucosio is a user centered free and open source app for people with diabetes + + Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. + + * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. + * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. + * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. + * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. + + Please file any bugs, issues, or feature requests at: + https://github.com/glucosio/android + + More details: + http://www.glucosio.org/ + + + + + diff --git a/app/src/main/res/android/values/strings.xml b/app/src/main/res/android/values/strings.xml new file mode 100644 index 00000000..2e13f4fc --- /dev/null +++ b/app/src/main/res/android/values/strings.xml @@ -0,0 +1,191 @@ + + Glucosio + Settings + Send feedback + Overview + History + Tips + + Hello. + Hello. + Terms of Use + I\'ve read and accept the Terms of Use + The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + We just need a few quick things before getting you started. + Country + Age + Please enter a valid age. + + Gender + Male + Female + Other + + + @string/helloactivity_gender_list_1 + @string/helloactivity_gender_list_2 + @string/helloactivity_gender_list_3 + + + Diabetes type + Type 1 + Type 2 + + + @string/helloactivity_spinner_diabetes_type_1 + @string/helloactivity_spinner_diabetes_type_2 + + + Preferred unit + mg/dL + mmol/L + + + @string/helloactivity_spinner_preferred_unit_1 + @string/helloactivity_spinner_preferred_unit_2 + + + Share anonymous data for research. + You can change these in settings later. + NEXT + GET STARTED + + No info available yet. \n Add your first reading here. + Add Blood Glucose Level + Concentration + mg/dL + Date + Time + Measured + Before breakfast + After breakfast + Before lunch + After lunch + Before dinner + After dinner + General + Recheck + Night + Other + + @string/dialog_add_type_1 + @string/dialog_add_type_2 + @string/dialog_add_type_3 + @string/dialog_add_type_4 + @string/dialog_add_type_5 + @string/dialog_add_type_6 + @string/dialog_add_type_7 + @string/dialog_add_type_8 + @string/dialog_add_type_9 + @string/dialog_add_type_10 + + CANCEL + ADD + Please enter a valid value. + Please fill all the fields. + Delete + Edit + + 1 reading deleted + UNDO + + Last check: + Trend over past month: + in range and healthy + Month + Day + Week + + + @string/fragment_overview_selector_day + @string/fragment_overview_selector_week + @string/fragment_overview_selector_month + + Use less cheese in your recipes and meals. Fresh mozzarella packed in water and Swiss cheese are usually lower in sodium. + About + 0.8.0 (Noce) + Version + Terms of use + Type + Weight + Custom measurement category + + + + Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. + When eating out, ask for fish or meat broiled with no extra butter or oil. + When eating out, ask if they have low sodium dishes. + When eating out, eat the same portion sizes you would at home and take the leftovers to go. + When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. + When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. + When eating out, order foods that are not breaded or fried. + When eating out ask for sauces, gravy and salad dressings "on the side." + Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. + Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. + Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. + Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. + Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. + Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. + Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. + Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. + Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + + + Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + + Assistant. + UPDATE NOW + OK, GOT IT + SUBMIT FEEDBACK + ADD READING + Update your weight + Make sure to update your weight so Glucosio has the most accurate information. + Update your research opt-in + You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Create categories + Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. + Check here often + Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Submit feedback + If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Add a reading + Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + + + @string/assistant_feedback_title + @string/assistant_reading_title + @string/assistant_categories_title + + + @string/assistant_feedback_desc + @string/assistant_reading_desc + @string/assistant_categories_desc + + + + @string/assistant_action_feedback + @string/assistant_action_reading + @string/assistant_action_try + + + Preferred range + ADA + AACE + UK NICE + Custom range + Min value + Max value + TRY IT NOW + + + @string/helloactivity_spinner_preferred_range_1 + @string/helloactivity_spinner_preferred_range_2 + @string/helloactivity_spinner_preferred_range_3 + @string/helloactivity_spinner_preferred_range_4 + + diff --git a/app/src/main/res/android/values/styles.xml b/app/src/main/res/android/values/styles.xml new file mode 100644 index 00000000..dc6c22d2 --- /dev/null +++ b/app/src/main/res/android/values/styles.xml @@ -0,0 +1,40 @@ + + + + + + + + + + + + diff --git a/app/src/main/res/android/values/values_labelled_spinner.xml b/app/src/main/res/android/values/values_labelled_spinner.xml new file mode 100644 index 00000000..01626caf --- /dev/null +++ b/app/src/main/res/android/values/values_labelled_spinner.xml @@ -0,0 +1,10 @@ + + + + + + + + #6D6D6D + + \ No newline at end of file diff --git a/app/src/main/res/android/xml/preferences.xml b/app/src/main/res/android/xml/preferences.xml new file mode 100644 index 00000000..05fec78b --- /dev/null +++ b/app/src/main/res/android/xml/preferences.xml @@ -0,0 +1,51 @@ + + + + + + + + + + + + + + + + \ No newline at end of file From 3a491148363adaa21b6d933a16cf759b84b774ba Mon Sep 17 00:00:00 2001 From: Paolo Rotolo Date: Wed, 7 Oct 2015 20:23:43 +0200 Subject: [PATCH 106/126] Test new way to import translations. --- .travis.yml | 7 ------- app/build.gradle | 9 --------- import-translations-github.sh | 14 +++++++------- 3 files changed, 7 insertions(+), 23 deletions(-) diff --git a/.travis.yml b/.travis.yml index b2fc3193..d3b8aa67 100644 --- a/.travis.yml +++ b/.travis.yml @@ -17,15 +17,8 @@ before_install: after_success: - chmod +x ./upload-gh-pages.sh - chmod +x ./import-translations-github.sh - - ./import-translations-github.sh - ./upload-gh-pages.sh -before_script: - - cd $TRAVIS_BUILD_DIR/app/src/main/res/ - - wget https://crowdin.com/downloads/crowdin-cli.jar - - java -jar crowdin-cli.jar download - - rm crowdin-cli.jar - script: - cd $TRAVIS_BUILD_DIR/ - ./gradlew clean build \ No newline at end of file diff --git a/app/build.gradle b/app/build.gradle index 4d315b5d..c2c6e7d0 100644 --- a/app/build.gradle +++ b/app/build.gradle @@ -8,15 +8,6 @@ android { abortOnError false } - sourceSets { - main { - resources { - srcDir 'res' - exclude '**/values-sr-rCyrl-rME' - } - } - } - defaultConfig { applicationId "org.glucosio.android" minSdkVersion 16 diff --git a/import-translations-github.sh b/import-translations-github.sh index 970b1ac9..1d6cb88e 100644 --- a/import-translations-github.sh +++ b/import-translations-github.sh @@ -2,10 +2,6 @@ if [ "$TRAVIS_PULL_REQUEST" == "false" ]; then echo -e "Starting translation import\n" - #copy data we're interested in to other place - mkdir $HOME/android/ - cp -R app/src/main/res/* $HOME/android/ - #go to home and setup git cd $HOME git config --global user.email "glucosioproject@gmail.com" @@ -15,15 +11,19 @@ if [ "$TRAVIS_PULL_REQUEST" == "false" ]; then git clone --quiet --branch=develop https://8ded5df0cdf373ca7b7662f00ef159f722601d54@github.com/Glucosio/android.git develop > /dev/null #go into directory and copy data we're interested in to that directory - cd develop - cp -Ru $HOME/android/ app/src/main/res/ + cd develop/app/src/main/res/ + wget https://crowdin.com/downloads/crowdin-cli.jar + java -jar crowdin-cli.jar download + rm crowdin-cli.jar + + cd $HOME/develop #add, commit and push files git add -f . git remote rm origin git remote add origin https://glucat:$GITHUB_API_KEY@github.com/Glucosio/android.git git add -f . - git commit -m "Done translation import for (build $TRAVIS_BUILD_NUMBER). [ci skip]" + git commit -m "Automatic translation import (build $TRAVIS_BUILD_NUMBER)." git push -fq origin develop > /dev/null echo -e "Done magic with coverage\n" From a4a0e929445df7e8e9b0b434b0d02f1a3821d40d Mon Sep 17 00:00:00 2001 From: Paolo Rotolo Date: Wed, 7 Oct 2015 20:30:55 +0200 Subject: [PATCH 107/126] Clean res dir. --- app/src/main/res/android/crowdin.yaml | 18 -- .../drawable-hdpi/ic_add_black_24dp.png | Bin 124 -> 0 bytes .../res/android/drawable-hdpi/ic_logo.png | Bin 2020 -> 0 bytes .../ic_navigate_next_grey_24px.png | Bin 429 -> 0 bytes .../ic_navigate_next_pink_24px.png | Bin 444 -> 0 bytes .../drawable-mdpi/ic_add_black_24dp.png | Bin 86 -> 0 bytes .../res/android/drawable-mdpi/ic_logo.png | Bin 1355 -> 0 bytes .../ic_navigate_next_grey_24px.png | Bin 295 -> 0 bytes .../ic_navigate_next_pink_24px.png | Bin 316 -> 0 bytes .../drawable-xhdpi/ic_add_black_24dp.png | Bin 108 -> 0 bytes .../res/android/drawable-xhdpi/ic_logo.png | Bin 2924 -> 0 bytes .../ic_navigate_next_grey_24px.png | Bin 483 -> 0 bytes .../ic_navigate_next_pink_24px.png | Bin 504 -> 0 bytes .../drawable-xxhdpi/ic_add_black_24dp.png | Bin 114 -> 0 bytes .../res/android/drawable-xxhdpi/ic_logo.png | Bin 3657 -> 0 bytes .../ic_navigate_next_grey_24px.png | Bin 898 -> 0 bytes .../ic_navigate_next_pink_24px.png | Bin 929 -> 0 bytes .../drawable-xxxhdpi/ic_add_black_24dp.png | Bin 119 -> 0 bytes .../res/android/drawable-xxxhdpi/ic_logo.png | Bin 5695 -> 0 bytes .../ic_navigate_next_grey_24px.png | Bin 1070 -> 0 bytes .../ic_navigate_next_pink_24px.png | Bin 1095 -> 0 bytes .../drawable/curved_line_horizontal.xml | 20 -- .../android/drawable/curved_line_vertical.xml | 20 -- .../res/android/layout/activity_hello.xml | 191 ------------------ .../res/android/layout/activity_licence.xml | 56 ----- .../main/res/android/layout/activity_main.xml | 104 ---------- .../main/res/android/layout/dialog_add.xml | 142 ------------- .../res/android/layout/fragment_assistant.xml | 12 -- .../layout/fragment_assistant_item.xml | 42 ---- .../res/android/layout/fragment_history.xml | 14 -- .../android/layout/fragment_history_item.xml | 69 ------- .../res/android/layout/fragment_overview.xml | 105 ---------- .../main/res/android/layout/preferences.xml | 8 - .../layout/widget_labelled_spinner.xml | 26 --- app/src/main/res/android/menu/menu_hello.xml | 7 - app/src/main/res/android/menu/menu_main.xml | 8 - .../res/android/mipmap-hdpi/ic_launcher.png | Bin 1817 -> 0 bytes .../res/android/mipmap-mdpi/ic_launcher.png | Bin 1194 -> 0 bytes .../res/android/mipmap-xhdpi/ic_launcher.png | Bin 2312 -> 0 bytes .../res/android/mipmap-xxhdpi/ic_launcher.png | Bin 4029 -> 0 bytes .../android/mipmap-xxxhdpi/ic_launcher.png | Bin 5696 -> 0 bytes .../google-playstore-strings.xml | 18 -- .../res/android/values-aa-rER/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-ach-rUG/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-ae-rIR/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-af-rZA/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-ak-rGH/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-am-rET/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-an-rES/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-ar-rSA/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-arn-rCL/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-as-rIN/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-ast-rES/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-av-rDA/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-ay-rBO/strings.xml | 136 ------------- .../google-playstore-strings.xml | 20 -- .../res/android/values-az-rAZ/strings.xml | 137 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-ba-rRU/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-bal-rBA/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-ban-rID/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-be-rBY/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-ber-rDZ/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-bfo-rBF/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-bg-rBG/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-bh-rIN/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-bi-rVU/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-bm-rML/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-bn-rBD/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-bn-rIN/strings.xml | 139 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-bo-rBT/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-br-rFR/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-bs-rBA/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-ca-rES/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-ce-rCE/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-ceb-rPH/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-ch-rGU/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-chr-rUS/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-ckb-rIR/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-co-rFR/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-cr-rNT/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-crs-rSC/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-cs-rCZ/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-csb-rPL/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-cv-rCU/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-cy-rGB/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-da-rDK/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-de-rDE/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-dsb-rDE/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-dv-rMV/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-dz-rBT/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-ee-rGH/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-el-rGR/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-en-rGB/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-en-rUS/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-eo-rUY/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-es-rES/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-es-rMX/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-es-rVE/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-et-rEE/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-eu-rES/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-fa-rAF/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-fa-rIR/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-ff-rZA/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-fi-rFI/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-fil-rPH/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-fj-rFJ/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-fo-rFO/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-fr-rFR/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-fr-rQC/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-fra-rDE/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-frp-rIT/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-fur-rIT/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-fy-rNL/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-ga-rIE/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-gaa-rGH/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-gd-rGB/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-gl-rES/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-gn-rPY/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-gu-rIN/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-gv-rIM/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-ha-rHG/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-haw-rUS/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-hi-rIN/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-hil-rPH/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-hmn-rCN/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-ho-rPG/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-hr-rHR/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-hsb-rDE/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-ht-rHT/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-hu-rHU/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-hy-rAM/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-hz-rNA/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-ig-rNG/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-ii-rCN/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-ilo-rPH/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-in-rID/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-is-rIS/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-it-rIT/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-iu-rNU/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-iw-rIL/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-ja-rJP/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-jbo-rEN/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-ji-rDE/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-jv-rID/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-ka-rGE/strings.xml | 136 ------------- .../values-kab/google-playstore-strings.xml | 18 -- .../main/res/android/values-kab/strings.xml | 136 ------------- .../values-kdh/google-playstore-strings.xml | 18 -- .../main/res/android/values-kdh/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-kg-rCG/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-kj-rAO/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-kk-rKZ/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-kl-rGL/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-km-rKH/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-kmr-rTR/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-kn-rIN/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-ko-rKR/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-kok-rIN/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-ks-rIN/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-ku-rTR/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-kv-rKO/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-kw-rGB/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-ky-rKG/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-la-rLA/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-lb-rLU/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-lg-rUG/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-li-rLI/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-lij-rIT/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-ln-rCD/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-lo-rLA/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-lt-rLT/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-luy-rKE/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-lv-rLV/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-mai-rIN/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-me-rME/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-mg-rMG/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-mh-rMH/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-mi-rNZ/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-mk-rMK/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-ml-rIN/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-mn-rMN/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-moh-rCA/strings.xml | 136 ------------- .../values-mos/google-playstore-strings.xml | 18 -- .../main/res/android/values-mos/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-mr-rIN/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-ms-rMY/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-mt-rMT/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-my-rMM/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-na-rNR/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-nb-rNO/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-nds-rDE/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-ne-rNP/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-ng-rNA/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-nl-rNL/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-nn-rNO/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-no-rNO/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-nr-rZA/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-ns-rZA/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-ny-rMW/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-oc-rFR/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-oj-rCA/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-om-rET/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-or-rIN/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-os-rSE/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-pa-rIN/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-pam-rPH/strings.xml | 136 ------------- .../values-pap/google-playstore-strings.xml | 18 -- .../main/res/android/values-pap/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-pcm-rNG/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-pi-rIN/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-pl-rPL/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-ps-rAF/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-pt-rBR/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-pt-rPT/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-qu-rPE/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-quc-rGT/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-qya-rAA/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-rm-rCH/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-rn-rBI/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-ro-rRO/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-ru-rRU/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-rw-rRW/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-ry-rUA/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-sa-rIN/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-sat-rIN/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-sc-rIT/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-sco-rGB/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-sd-rPK/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-se-rNO/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-sg-rCF/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-sh-rHR/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-si-rLK/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-sk-rSK/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-sl-rSI/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-sma-rNO/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-sn-rZW/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-so-rSO/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-son-rZA/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-sq-rAL/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-sr-rCS/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-sr-rCy/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-sr-rSP/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-ss-rZA/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-st-rZA/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-su-rID/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-sv-rFI/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-sv-rSE/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-sw-rKE/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-sw-rTZ/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-syc-rSY/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-ta-rIN/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-tay-rTW/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-te-rIN/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-tg-rTJ/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-th-rTH/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-ti-rER/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-tk-rTM/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-tl-rPH/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-tn-rZA/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-tr-rTR/strings.xml | 137 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-ts-rZA/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-tt-rRU/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-tw-rTW/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-ty-rPF/strings.xml | 136 ------------- .../values-tzl/google-playstore-strings.xml | 18 -- .../main/res/android/values-tzl/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-ug-rCN/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-uk-rUA/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-ur-rPK/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-uz-rUZ/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-val-rES/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-ve-rZA/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-vec-rIT/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-vi-rVN/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-vls-rBE/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-wa-rBE/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-wo-rSN/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-xh-rZA/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-yo-rNG/strings.xml | 136 ------------- .../values-zea/google-playstore-strings.xml | 18 -- .../main/res/android/values-zea/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-zh-rCN/strings.xml | 137 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-zh-rTW/strings.xml | 136 ------------- .../google-playstore-strings.xml | 18 -- .../res/android/values-zu-rZA/strings.xml | 136 ------------- app/src/main/res/android/values/attrs.xml | 5 - app/src/main/res/android/values/colors.xml | 19 -- app/src/main/res/android/values/dimens.xml | 5 - .../values/google-playstore-strings.xml | 29 --- app/src/main/res/android/values/strings.xml | 191 ------------------ app/src/main/res/android/values/styles.xml | 40 ---- .../values/values_labelled_spinner.xml | 10 - app/src/main/res/android/xml/preferences.xml | 51 ----- 519 files changed, 37390 deletions(-) delete mode 100644 app/src/main/res/android/crowdin.yaml delete mode 100644 app/src/main/res/android/drawable-hdpi/ic_add_black_24dp.png delete mode 100644 app/src/main/res/android/drawable-hdpi/ic_logo.png delete mode 100644 app/src/main/res/android/drawable-hdpi/ic_navigate_next_grey_24px.png delete mode 100644 app/src/main/res/android/drawable-hdpi/ic_navigate_next_pink_24px.png delete mode 100644 app/src/main/res/android/drawable-mdpi/ic_add_black_24dp.png delete mode 100644 app/src/main/res/android/drawable-mdpi/ic_logo.png delete mode 100644 app/src/main/res/android/drawable-mdpi/ic_navigate_next_grey_24px.png delete mode 100644 app/src/main/res/android/drawable-mdpi/ic_navigate_next_pink_24px.png delete mode 100644 app/src/main/res/android/drawable-xhdpi/ic_add_black_24dp.png delete mode 100644 app/src/main/res/android/drawable-xhdpi/ic_logo.png delete mode 100644 app/src/main/res/android/drawable-xhdpi/ic_navigate_next_grey_24px.png delete mode 100644 app/src/main/res/android/drawable-xhdpi/ic_navigate_next_pink_24px.png delete mode 100644 app/src/main/res/android/drawable-xxhdpi/ic_add_black_24dp.png delete mode 100644 app/src/main/res/android/drawable-xxhdpi/ic_logo.png delete mode 100644 app/src/main/res/android/drawable-xxhdpi/ic_navigate_next_grey_24px.png delete mode 100644 app/src/main/res/android/drawable-xxhdpi/ic_navigate_next_pink_24px.png delete mode 100644 app/src/main/res/android/drawable-xxxhdpi/ic_add_black_24dp.png delete mode 100644 app/src/main/res/android/drawable-xxxhdpi/ic_logo.png delete mode 100644 app/src/main/res/android/drawable-xxxhdpi/ic_navigate_next_grey_24px.png delete mode 100644 app/src/main/res/android/drawable-xxxhdpi/ic_navigate_next_pink_24px.png delete mode 100644 app/src/main/res/android/drawable/curved_line_horizontal.xml delete mode 100644 app/src/main/res/android/drawable/curved_line_vertical.xml delete mode 100644 app/src/main/res/android/layout/activity_hello.xml delete mode 100644 app/src/main/res/android/layout/activity_licence.xml delete mode 100644 app/src/main/res/android/layout/activity_main.xml delete mode 100644 app/src/main/res/android/layout/dialog_add.xml delete mode 100644 app/src/main/res/android/layout/fragment_assistant.xml delete mode 100644 app/src/main/res/android/layout/fragment_assistant_item.xml delete mode 100644 app/src/main/res/android/layout/fragment_history.xml delete mode 100644 app/src/main/res/android/layout/fragment_history_item.xml delete mode 100644 app/src/main/res/android/layout/fragment_overview.xml delete mode 100644 app/src/main/res/android/layout/preferences.xml delete mode 100644 app/src/main/res/android/layout/widget_labelled_spinner.xml delete mode 100644 app/src/main/res/android/menu/menu_hello.xml delete mode 100644 app/src/main/res/android/menu/menu_main.xml delete mode 100644 app/src/main/res/android/mipmap-hdpi/ic_launcher.png delete mode 100644 app/src/main/res/android/mipmap-mdpi/ic_launcher.png delete mode 100644 app/src/main/res/android/mipmap-xhdpi/ic_launcher.png delete mode 100644 app/src/main/res/android/mipmap-xxhdpi/ic_launcher.png delete mode 100644 app/src/main/res/android/mipmap-xxxhdpi/ic_launcher.png delete mode 100644 app/src/main/res/android/values-aa-rER/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-aa-rER/strings.xml delete mode 100644 app/src/main/res/android/values-ach-rUG/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-ach-rUG/strings.xml delete mode 100644 app/src/main/res/android/values-ae-rIR/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-ae-rIR/strings.xml delete mode 100644 app/src/main/res/android/values-af-rZA/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-af-rZA/strings.xml delete mode 100644 app/src/main/res/android/values-ak-rGH/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-ak-rGH/strings.xml delete mode 100644 app/src/main/res/android/values-am-rET/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-am-rET/strings.xml delete mode 100644 app/src/main/res/android/values-an-rES/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-an-rES/strings.xml delete mode 100644 app/src/main/res/android/values-ar-rSA/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-ar-rSA/strings.xml delete mode 100644 app/src/main/res/android/values-arn-rCL/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-arn-rCL/strings.xml delete mode 100644 app/src/main/res/android/values-as-rIN/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-as-rIN/strings.xml delete mode 100644 app/src/main/res/android/values-ast-rES/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-ast-rES/strings.xml delete mode 100644 app/src/main/res/android/values-av-rDA/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-av-rDA/strings.xml delete mode 100644 app/src/main/res/android/values-ay-rBO/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-ay-rBO/strings.xml delete mode 100644 app/src/main/res/android/values-az-rAZ/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-az-rAZ/strings.xml delete mode 100644 app/src/main/res/android/values-ba-rRU/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-ba-rRU/strings.xml delete mode 100644 app/src/main/res/android/values-bal-rBA/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-bal-rBA/strings.xml delete mode 100644 app/src/main/res/android/values-ban-rID/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-ban-rID/strings.xml delete mode 100644 app/src/main/res/android/values-be-rBY/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-be-rBY/strings.xml delete mode 100644 app/src/main/res/android/values-ber-rDZ/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-ber-rDZ/strings.xml delete mode 100644 app/src/main/res/android/values-bfo-rBF/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-bfo-rBF/strings.xml delete mode 100644 app/src/main/res/android/values-bg-rBG/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-bg-rBG/strings.xml delete mode 100644 app/src/main/res/android/values-bh-rIN/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-bh-rIN/strings.xml delete mode 100644 app/src/main/res/android/values-bi-rVU/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-bi-rVU/strings.xml delete mode 100644 app/src/main/res/android/values-bm-rML/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-bm-rML/strings.xml delete mode 100644 app/src/main/res/android/values-bn-rBD/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-bn-rBD/strings.xml delete mode 100644 app/src/main/res/android/values-bn-rIN/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-bn-rIN/strings.xml delete mode 100644 app/src/main/res/android/values-bo-rBT/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-bo-rBT/strings.xml delete mode 100644 app/src/main/res/android/values-br-rFR/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-br-rFR/strings.xml delete mode 100644 app/src/main/res/android/values-bs-rBA/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-bs-rBA/strings.xml delete mode 100644 app/src/main/res/android/values-ca-rES/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-ca-rES/strings.xml delete mode 100644 app/src/main/res/android/values-ce-rCE/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-ce-rCE/strings.xml delete mode 100644 app/src/main/res/android/values-ceb-rPH/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-ceb-rPH/strings.xml delete mode 100644 app/src/main/res/android/values-ch-rGU/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-ch-rGU/strings.xml delete mode 100644 app/src/main/res/android/values-chr-rUS/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-chr-rUS/strings.xml delete mode 100644 app/src/main/res/android/values-ckb-rIR/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-ckb-rIR/strings.xml delete mode 100644 app/src/main/res/android/values-co-rFR/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-co-rFR/strings.xml delete mode 100644 app/src/main/res/android/values-cr-rNT/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-cr-rNT/strings.xml delete mode 100644 app/src/main/res/android/values-crs-rSC/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-crs-rSC/strings.xml delete mode 100644 app/src/main/res/android/values-cs-rCZ/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-cs-rCZ/strings.xml delete mode 100644 app/src/main/res/android/values-csb-rPL/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-csb-rPL/strings.xml delete mode 100644 app/src/main/res/android/values-cv-rCU/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-cv-rCU/strings.xml delete mode 100644 app/src/main/res/android/values-cy-rGB/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-cy-rGB/strings.xml delete mode 100644 app/src/main/res/android/values-da-rDK/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-da-rDK/strings.xml delete mode 100644 app/src/main/res/android/values-de-rDE/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-de-rDE/strings.xml delete mode 100644 app/src/main/res/android/values-dsb-rDE/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-dsb-rDE/strings.xml delete mode 100644 app/src/main/res/android/values-dv-rMV/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-dv-rMV/strings.xml delete mode 100644 app/src/main/res/android/values-dz-rBT/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-dz-rBT/strings.xml delete mode 100644 app/src/main/res/android/values-ee-rGH/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-ee-rGH/strings.xml delete mode 100644 app/src/main/res/android/values-el-rGR/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-el-rGR/strings.xml delete mode 100644 app/src/main/res/android/values-en-rGB/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-en-rGB/strings.xml delete mode 100644 app/src/main/res/android/values-en-rUS/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-en-rUS/strings.xml delete mode 100644 app/src/main/res/android/values-eo-rUY/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-eo-rUY/strings.xml delete mode 100644 app/src/main/res/android/values-es-rES/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-es-rES/strings.xml delete mode 100644 app/src/main/res/android/values-es-rMX/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-es-rMX/strings.xml delete mode 100644 app/src/main/res/android/values-es-rVE/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-es-rVE/strings.xml delete mode 100644 app/src/main/res/android/values-et-rEE/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-et-rEE/strings.xml delete mode 100644 app/src/main/res/android/values-eu-rES/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-eu-rES/strings.xml delete mode 100644 app/src/main/res/android/values-fa-rAF/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-fa-rAF/strings.xml delete mode 100644 app/src/main/res/android/values-fa-rIR/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-fa-rIR/strings.xml delete mode 100644 app/src/main/res/android/values-ff-rZA/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-ff-rZA/strings.xml delete mode 100644 app/src/main/res/android/values-fi-rFI/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-fi-rFI/strings.xml delete mode 100644 app/src/main/res/android/values-fil-rPH/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-fil-rPH/strings.xml delete mode 100644 app/src/main/res/android/values-fj-rFJ/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-fj-rFJ/strings.xml delete mode 100644 app/src/main/res/android/values-fo-rFO/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-fo-rFO/strings.xml delete mode 100644 app/src/main/res/android/values-fr-rFR/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-fr-rFR/strings.xml delete mode 100644 app/src/main/res/android/values-fr-rQC/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-fr-rQC/strings.xml delete mode 100644 app/src/main/res/android/values-fra-rDE/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-fra-rDE/strings.xml delete mode 100644 app/src/main/res/android/values-frp-rIT/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-frp-rIT/strings.xml delete mode 100644 app/src/main/res/android/values-fur-rIT/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-fur-rIT/strings.xml delete mode 100644 app/src/main/res/android/values-fy-rNL/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-fy-rNL/strings.xml delete mode 100644 app/src/main/res/android/values-ga-rIE/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-ga-rIE/strings.xml delete mode 100644 app/src/main/res/android/values-gaa-rGH/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-gaa-rGH/strings.xml delete mode 100644 app/src/main/res/android/values-gd-rGB/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-gd-rGB/strings.xml delete mode 100644 app/src/main/res/android/values-gl-rES/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-gl-rES/strings.xml delete mode 100644 app/src/main/res/android/values-gn-rPY/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-gn-rPY/strings.xml delete mode 100644 app/src/main/res/android/values-gu-rIN/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-gu-rIN/strings.xml delete mode 100644 app/src/main/res/android/values-gv-rIM/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-gv-rIM/strings.xml delete mode 100644 app/src/main/res/android/values-ha-rHG/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-ha-rHG/strings.xml delete mode 100644 app/src/main/res/android/values-haw-rUS/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-haw-rUS/strings.xml delete mode 100644 app/src/main/res/android/values-hi-rIN/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-hi-rIN/strings.xml delete mode 100644 app/src/main/res/android/values-hil-rPH/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-hil-rPH/strings.xml delete mode 100644 app/src/main/res/android/values-hmn-rCN/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-hmn-rCN/strings.xml delete mode 100644 app/src/main/res/android/values-ho-rPG/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-ho-rPG/strings.xml delete mode 100644 app/src/main/res/android/values-hr-rHR/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-hr-rHR/strings.xml delete mode 100644 app/src/main/res/android/values-hsb-rDE/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-hsb-rDE/strings.xml delete mode 100644 app/src/main/res/android/values-ht-rHT/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-ht-rHT/strings.xml delete mode 100644 app/src/main/res/android/values-hu-rHU/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-hu-rHU/strings.xml delete mode 100644 app/src/main/res/android/values-hy-rAM/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-hy-rAM/strings.xml delete mode 100644 app/src/main/res/android/values-hz-rNA/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-hz-rNA/strings.xml delete mode 100644 app/src/main/res/android/values-ig-rNG/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-ig-rNG/strings.xml delete mode 100644 app/src/main/res/android/values-ii-rCN/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-ii-rCN/strings.xml delete mode 100644 app/src/main/res/android/values-ilo-rPH/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-ilo-rPH/strings.xml delete mode 100644 app/src/main/res/android/values-in-rID/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-in-rID/strings.xml delete mode 100644 app/src/main/res/android/values-is-rIS/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-is-rIS/strings.xml delete mode 100644 app/src/main/res/android/values-it-rIT/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-it-rIT/strings.xml delete mode 100644 app/src/main/res/android/values-iu-rNU/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-iu-rNU/strings.xml delete mode 100644 app/src/main/res/android/values-iw-rIL/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-iw-rIL/strings.xml delete mode 100644 app/src/main/res/android/values-ja-rJP/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-ja-rJP/strings.xml delete mode 100644 app/src/main/res/android/values-jbo-rEN/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-jbo-rEN/strings.xml delete mode 100644 app/src/main/res/android/values-ji-rDE/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-ji-rDE/strings.xml delete mode 100644 app/src/main/res/android/values-jv-rID/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-jv-rID/strings.xml delete mode 100644 app/src/main/res/android/values-ka-rGE/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-ka-rGE/strings.xml delete mode 100644 app/src/main/res/android/values-kab/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-kab/strings.xml delete mode 100644 app/src/main/res/android/values-kdh/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-kdh/strings.xml delete mode 100644 app/src/main/res/android/values-kg-rCG/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-kg-rCG/strings.xml delete mode 100644 app/src/main/res/android/values-kj-rAO/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-kj-rAO/strings.xml delete mode 100644 app/src/main/res/android/values-kk-rKZ/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-kk-rKZ/strings.xml delete mode 100644 app/src/main/res/android/values-kl-rGL/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-kl-rGL/strings.xml delete mode 100644 app/src/main/res/android/values-km-rKH/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-km-rKH/strings.xml delete mode 100644 app/src/main/res/android/values-kmr-rTR/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-kmr-rTR/strings.xml delete mode 100644 app/src/main/res/android/values-kn-rIN/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-kn-rIN/strings.xml delete mode 100644 app/src/main/res/android/values-ko-rKR/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-ko-rKR/strings.xml delete mode 100644 app/src/main/res/android/values-kok-rIN/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-kok-rIN/strings.xml delete mode 100644 app/src/main/res/android/values-ks-rIN/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-ks-rIN/strings.xml delete mode 100644 app/src/main/res/android/values-ku-rTR/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-ku-rTR/strings.xml delete mode 100644 app/src/main/res/android/values-kv-rKO/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-kv-rKO/strings.xml delete mode 100644 app/src/main/res/android/values-kw-rGB/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-kw-rGB/strings.xml delete mode 100644 app/src/main/res/android/values-ky-rKG/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-ky-rKG/strings.xml delete mode 100644 app/src/main/res/android/values-la-rLA/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-la-rLA/strings.xml delete mode 100644 app/src/main/res/android/values-lb-rLU/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-lb-rLU/strings.xml delete mode 100644 app/src/main/res/android/values-lg-rUG/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-lg-rUG/strings.xml delete mode 100644 app/src/main/res/android/values-li-rLI/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-li-rLI/strings.xml delete mode 100644 app/src/main/res/android/values-lij-rIT/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-lij-rIT/strings.xml delete mode 100644 app/src/main/res/android/values-ln-rCD/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-ln-rCD/strings.xml delete mode 100644 app/src/main/res/android/values-lo-rLA/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-lo-rLA/strings.xml delete mode 100644 app/src/main/res/android/values-lt-rLT/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-lt-rLT/strings.xml delete mode 100644 app/src/main/res/android/values-luy-rKE/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-luy-rKE/strings.xml delete mode 100644 app/src/main/res/android/values-lv-rLV/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-lv-rLV/strings.xml delete mode 100644 app/src/main/res/android/values-mai-rIN/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-mai-rIN/strings.xml delete mode 100644 app/src/main/res/android/values-me-rME/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-me-rME/strings.xml delete mode 100644 app/src/main/res/android/values-mg-rMG/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-mg-rMG/strings.xml delete mode 100644 app/src/main/res/android/values-mh-rMH/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-mh-rMH/strings.xml delete mode 100644 app/src/main/res/android/values-mi-rNZ/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-mi-rNZ/strings.xml delete mode 100644 app/src/main/res/android/values-mk-rMK/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-mk-rMK/strings.xml delete mode 100644 app/src/main/res/android/values-ml-rIN/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-ml-rIN/strings.xml delete mode 100644 app/src/main/res/android/values-mn-rMN/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-mn-rMN/strings.xml delete mode 100644 app/src/main/res/android/values-moh-rCA/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-moh-rCA/strings.xml delete mode 100644 app/src/main/res/android/values-mos/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-mos/strings.xml delete mode 100644 app/src/main/res/android/values-mr-rIN/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-mr-rIN/strings.xml delete mode 100644 app/src/main/res/android/values-ms-rMY/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-ms-rMY/strings.xml delete mode 100644 app/src/main/res/android/values-mt-rMT/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-mt-rMT/strings.xml delete mode 100644 app/src/main/res/android/values-my-rMM/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-my-rMM/strings.xml delete mode 100644 app/src/main/res/android/values-na-rNR/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-na-rNR/strings.xml delete mode 100644 app/src/main/res/android/values-nb-rNO/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-nb-rNO/strings.xml delete mode 100644 app/src/main/res/android/values-nds-rDE/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-nds-rDE/strings.xml delete mode 100644 app/src/main/res/android/values-ne-rNP/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-ne-rNP/strings.xml delete mode 100644 app/src/main/res/android/values-ng-rNA/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-ng-rNA/strings.xml delete mode 100644 app/src/main/res/android/values-nl-rNL/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-nl-rNL/strings.xml delete mode 100644 app/src/main/res/android/values-nn-rNO/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-nn-rNO/strings.xml delete mode 100644 app/src/main/res/android/values-no-rNO/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-no-rNO/strings.xml delete mode 100644 app/src/main/res/android/values-nr-rZA/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-nr-rZA/strings.xml delete mode 100644 app/src/main/res/android/values-ns-rZA/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-ns-rZA/strings.xml delete mode 100644 app/src/main/res/android/values-ny-rMW/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-ny-rMW/strings.xml delete mode 100644 app/src/main/res/android/values-oc-rFR/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-oc-rFR/strings.xml delete mode 100644 app/src/main/res/android/values-oj-rCA/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-oj-rCA/strings.xml delete mode 100644 app/src/main/res/android/values-om-rET/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-om-rET/strings.xml delete mode 100644 app/src/main/res/android/values-or-rIN/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-or-rIN/strings.xml delete mode 100644 app/src/main/res/android/values-os-rSE/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-os-rSE/strings.xml delete mode 100644 app/src/main/res/android/values-pa-rIN/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-pa-rIN/strings.xml delete mode 100644 app/src/main/res/android/values-pam-rPH/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-pam-rPH/strings.xml delete mode 100644 app/src/main/res/android/values-pap/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-pap/strings.xml delete mode 100644 app/src/main/res/android/values-pcm-rNG/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-pcm-rNG/strings.xml delete mode 100644 app/src/main/res/android/values-pi-rIN/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-pi-rIN/strings.xml delete mode 100644 app/src/main/res/android/values-pl-rPL/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-pl-rPL/strings.xml delete mode 100644 app/src/main/res/android/values-ps-rAF/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-ps-rAF/strings.xml delete mode 100644 app/src/main/res/android/values-pt-rBR/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-pt-rBR/strings.xml delete mode 100644 app/src/main/res/android/values-pt-rPT/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-pt-rPT/strings.xml delete mode 100644 app/src/main/res/android/values-qu-rPE/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-qu-rPE/strings.xml delete mode 100644 app/src/main/res/android/values-quc-rGT/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-quc-rGT/strings.xml delete mode 100644 app/src/main/res/android/values-qya-rAA/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-qya-rAA/strings.xml delete mode 100644 app/src/main/res/android/values-rm-rCH/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-rm-rCH/strings.xml delete mode 100644 app/src/main/res/android/values-rn-rBI/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-rn-rBI/strings.xml delete mode 100644 app/src/main/res/android/values-ro-rRO/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-ro-rRO/strings.xml delete mode 100644 app/src/main/res/android/values-ru-rRU/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-ru-rRU/strings.xml delete mode 100644 app/src/main/res/android/values-rw-rRW/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-rw-rRW/strings.xml delete mode 100644 app/src/main/res/android/values-ry-rUA/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-ry-rUA/strings.xml delete mode 100644 app/src/main/res/android/values-sa-rIN/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-sa-rIN/strings.xml delete mode 100644 app/src/main/res/android/values-sat-rIN/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-sat-rIN/strings.xml delete mode 100644 app/src/main/res/android/values-sc-rIT/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-sc-rIT/strings.xml delete mode 100644 app/src/main/res/android/values-sco-rGB/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-sco-rGB/strings.xml delete mode 100644 app/src/main/res/android/values-sd-rPK/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-sd-rPK/strings.xml delete mode 100644 app/src/main/res/android/values-se-rNO/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-se-rNO/strings.xml delete mode 100644 app/src/main/res/android/values-sg-rCF/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-sg-rCF/strings.xml delete mode 100644 app/src/main/res/android/values-sh-rHR/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-sh-rHR/strings.xml delete mode 100644 app/src/main/res/android/values-si-rLK/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-si-rLK/strings.xml delete mode 100644 app/src/main/res/android/values-sk-rSK/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-sk-rSK/strings.xml delete mode 100644 app/src/main/res/android/values-sl-rSI/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-sl-rSI/strings.xml delete mode 100644 app/src/main/res/android/values-sma-rNO/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-sma-rNO/strings.xml delete mode 100644 app/src/main/res/android/values-sn-rZW/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-sn-rZW/strings.xml delete mode 100644 app/src/main/res/android/values-so-rSO/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-so-rSO/strings.xml delete mode 100644 app/src/main/res/android/values-son-rZA/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-son-rZA/strings.xml delete mode 100644 app/src/main/res/android/values-sq-rAL/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-sq-rAL/strings.xml delete mode 100644 app/src/main/res/android/values-sr-rCS/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-sr-rCS/strings.xml delete mode 100644 app/src/main/res/android/values-sr-rCy/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-sr-rCy/strings.xml delete mode 100644 app/src/main/res/android/values-sr-rSP/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-sr-rSP/strings.xml delete mode 100644 app/src/main/res/android/values-ss-rZA/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-ss-rZA/strings.xml delete mode 100644 app/src/main/res/android/values-st-rZA/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-st-rZA/strings.xml delete mode 100644 app/src/main/res/android/values-su-rID/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-su-rID/strings.xml delete mode 100644 app/src/main/res/android/values-sv-rFI/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-sv-rFI/strings.xml delete mode 100644 app/src/main/res/android/values-sv-rSE/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-sv-rSE/strings.xml delete mode 100644 app/src/main/res/android/values-sw-rKE/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-sw-rKE/strings.xml delete mode 100644 app/src/main/res/android/values-sw-rTZ/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-sw-rTZ/strings.xml delete mode 100644 app/src/main/res/android/values-syc-rSY/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-syc-rSY/strings.xml delete mode 100644 app/src/main/res/android/values-ta-rIN/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-ta-rIN/strings.xml delete mode 100644 app/src/main/res/android/values-tay-rTW/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-tay-rTW/strings.xml delete mode 100644 app/src/main/res/android/values-te-rIN/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-te-rIN/strings.xml delete mode 100644 app/src/main/res/android/values-tg-rTJ/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-tg-rTJ/strings.xml delete mode 100644 app/src/main/res/android/values-th-rTH/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-th-rTH/strings.xml delete mode 100644 app/src/main/res/android/values-ti-rER/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-ti-rER/strings.xml delete mode 100644 app/src/main/res/android/values-tk-rTM/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-tk-rTM/strings.xml delete mode 100644 app/src/main/res/android/values-tl-rPH/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-tl-rPH/strings.xml delete mode 100644 app/src/main/res/android/values-tn-rZA/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-tn-rZA/strings.xml delete mode 100644 app/src/main/res/android/values-tr-rTR/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-tr-rTR/strings.xml delete mode 100644 app/src/main/res/android/values-ts-rZA/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-ts-rZA/strings.xml delete mode 100644 app/src/main/res/android/values-tt-rRU/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-tt-rRU/strings.xml delete mode 100644 app/src/main/res/android/values-tw-rTW/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-tw-rTW/strings.xml delete mode 100644 app/src/main/res/android/values-ty-rPF/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-ty-rPF/strings.xml delete mode 100644 app/src/main/res/android/values-tzl/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-tzl/strings.xml delete mode 100644 app/src/main/res/android/values-ug-rCN/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-ug-rCN/strings.xml delete mode 100644 app/src/main/res/android/values-uk-rUA/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-uk-rUA/strings.xml delete mode 100644 app/src/main/res/android/values-ur-rPK/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-ur-rPK/strings.xml delete mode 100644 app/src/main/res/android/values-uz-rUZ/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-uz-rUZ/strings.xml delete mode 100644 app/src/main/res/android/values-val-rES/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-val-rES/strings.xml delete mode 100644 app/src/main/res/android/values-ve-rZA/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-ve-rZA/strings.xml delete mode 100644 app/src/main/res/android/values-vec-rIT/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-vec-rIT/strings.xml delete mode 100644 app/src/main/res/android/values-vi-rVN/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-vi-rVN/strings.xml delete mode 100644 app/src/main/res/android/values-vls-rBE/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-vls-rBE/strings.xml delete mode 100644 app/src/main/res/android/values-wa-rBE/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-wa-rBE/strings.xml delete mode 100644 app/src/main/res/android/values-wo-rSN/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-wo-rSN/strings.xml delete mode 100644 app/src/main/res/android/values-xh-rZA/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-xh-rZA/strings.xml delete mode 100644 app/src/main/res/android/values-yo-rNG/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-yo-rNG/strings.xml delete mode 100644 app/src/main/res/android/values-zea/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-zea/strings.xml delete mode 100644 app/src/main/res/android/values-zh-rCN/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-zh-rCN/strings.xml delete mode 100644 app/src/main/res/android/values-zh-rTW/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-zh-rTW/strings.xml delete mode 100644 app/src/main/res/android/values-zu-rZA/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values-zu-rZA/strings.xml delete mode 100644 app/src/main/res/android/values/attrs.xml delete mode 100644 app/src/main/res/android/values/colors.xml delete mode 100644 app/src/main/res/android/values/dimens.xml delete mode 100644 app/src/main/res/android/values/google-playstore-strings.xml delete mode 100644 app/src/main/res/android/values/strings.xml delete mode 100644 app/src/main/res/android/values/styles.xml delete mode 100644 app/src/main/res/android/values/values_labelled_spinner.xml delete mode 100644 app/src/main/res/android/xml/preferences.xml diff --git a/app/src/main/res/android/crowdin.yaml b/app/src/main/res/android/crowdin.yaml deleted file mode 100644 index 33c7f4e2..00000000 --- a/app/src/main/res/android/crowdin.yaml +++ /dev/null @@ -1,18 +0,0 @@ ---- -project_identifier: 'glucosio' -api_key_env: 'CROWDIN_API_KEY' -base_url: 'https://api.crowdin.com' - -files: - - - source: '/values/strings.xml' - translation: '/values-%android_code%/%original_file_name%' - languages_mapping: - android_code: - sr-Cyrl-ME: sr-rCy - kab: kab - kdh: kdh - zea: zea - tzl: tzl - pap: pap - mos: mos diff --git a/app/src/main/res/android/drawable-hdpi/ic_add_black_24dp.png b/app/src/main/res/android/drawable-hdpi/ic_add_black_24dp.png deleted file mode 100644 index c04b523c482b77824608a836515e865579f8b00c..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 124 zcmeAS@N?(olHy`uVBq!ia0vp^Dj>|k0wldT1B8K;v!{z=NCji^0d}{88U+a%3{LE) zc(W3I@VD?TX6u!5iTdQ+%zl7P_JBaSLWcds4UNy(0^e=DSmGkkBjwV6s9vOpiQ(Iw WlC8ByowtC-F?hQAxvXDGZUn|Zx#Rm02y>e zSad^gZEa<4bO1wgWnpw>WFU8GbZ8()Nlj2!fese{00&G-L_t(&-tC%uj8)YY#((QF zJZ1)pgCioS_@H8yVii$K1R~aoh>avAYHAgAEQ-}ciO&*EYSU+$Ui zJpf5Rk+dqfo|E()dXbu|{*rE!^tz;FlCIdB`m0KOv3z@RenZNQ%--D+mr zdu>$_Mh3>kH`8Ij-ZikK0`PO-x4`h6@-;v;(AsOKitz@}2n_T4Rlw?=aM70lzt7mU z?LZ+~Z2*s&+3sFDRR%L#E@>w4BcKC#*335VRRc>p1Gpz)-1Wc$U?uRW8+a&i3@`y0 z1^lbmO#io$mjTOqLU)zB=BwTJhxiB3U}hgCl$?k-qmN)kSUQM{WLDsV;BVN7BzEtx;+0_EKa-Bs);j97(G)WH(E? zOVWWQ`Z-?GB1vCn=xCO-P|`tx+>FF`j!5V?FF)Us)LBA*lcf74jSOA%3}A4eYZq{b znXTK8YRPI~o@f8n8BGg7lkccd_8wq1U>UN*ft!J2B>lq7wgo!I0#A8HoP`7YYVPLv zs(?Aboj?|!PzPKGOp$b%nXRY-eh@W!2UxtHg|X?tO;OU=0sPx*_7R>pQ~@tXN#Vsn zLuA~Yp2@a)7zsVb3}AzohDBF9H8O5H@PxbN!OjUx^c?4TGwbN)_$GUGQyV<{3Rnkh z1x9;mRm2$JSCTHMie3P$H?y{2_0)MxDP(luH8cBsAMM@(a6x3;7T`9I)h#}TvB2rT zl1TR2NOmP~qsPl#Zk*pZAyGtw8}RL5cN6KDQ=CUheSzbFNfmCMiz4GT`GS7Z%yvjR z61V}lDj3UDU>ff8L;N8oJ|wj(8{_s>43>1Xq{gVty^<`);uw_}%N2=s6D74p?dAsW z?~dMmA?Z4I|K<9S8G|L&`$!uAo4ED`L zyA{4GLmU@{weWkj9@m#hx+;}4bpziAj)?5@_e80c>ifxs1PfKOpBebjXpuI0$&gnz z#D9RziOJguY>XZc3w}Qjyc)gl=Pvm{;1x;pBn_)zd?UPEE225km#<6B=>G76*Lfih ziS8SL`+?v2wdmXC0m{6O-C!H=MNZuV5^P<2iMFk!zH4Tm0ha?0dx93@NY8+u@r=7W zs7~~8X9nB2$7U_KdkJx(q@#n*e`IDio7r45n+yE;TQ>0EGVi}i7_B;|?zV*NfD&zM zvL@3Bq1m3%KLC7`&@lnHPtu@njK4L}$C|tgwg4vdq^UI>6fT+w1nx@gwn=X2yx0^i;<}7Ei9^7ag40_Yq8D={ zo!i3(jcdW9;z{%Ze@YoW>!Vd(3!GOfi}d(HlOkG`a&g|wHk#S3zFD@0 z^srNmd9em~FSzdmob4rEJg!sYa;@Me7cmDs6nIF|4U*~uC4GSd_mY7>OYEMRMZ@^F zuJkN23#<9xv(sywkO(K>07?d9l`0{_vk3 zw|EZFvBu1l)j$jO>_4&(p__h8@|yq zyLE2d*PI9lbxfw~jJb$UfO*cg#NRv0W9?)o9_0F81^#Ge8zoJn>mMiObX5a0fpgp~ z*83uE0Y2~ve$?YyDghho@$Hm=VA$$0eu*<=+Y@q!IafWwIp=!1&Y?TJzw3aPf#+h* zUeb79=%EY0-ORR@=;N_&z|%ck*7*1~_&5F%j_dS!u diff --git a/app/src/main/res/android/drawable-hdpi/ic_navigate_next_grey_24px.png b/app/src/main/res/android/drawable-hdpi/ic_navigate_next_grey_24px.png deleted file mode 100644 index d94bfacb724a23dbf840a4e7d0a7803cc579e01d..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 429 zcmV;e0aE^nP)N^$0!rs3%S&sP;;wL{p;L324uk_Gn5}I|1$aqW7qCZeWaY z*4oizGI`Sm{>~Q#W#)YVR{&N4JQC5cEX$W=U}K>bfb0+KnTQ5uSw3lFqo5v>W!VW4 zodG`u4iUY2Y*7>sn%HQl$Bf70BN4d(U<2;m7_(Cp#l03*1?n-(JPP}D#s7=QhluRW zX0tmDtQs_6haxg3qP2kg1aMeY)jSrf3JusT05<^E1MUmJaaC29F<5n|$2jLUjWM?X zHUdsWNg4QL}v^^!-G_kt=Dbc!wnzpAznpAe(|2lhC$?aKVk z!Gknb2^wMsMQ;~G`@nC36Oc8kIJZall2~PEh3Ah9>6XQNWyqWK|!*5DW6dFpN%l?uz!WDqo zST-caw$p2!sYu14QL@Y4B3X0|U@pcnnD_F%b~7vX|3bCcdM$n?Ev_dmE_^MXP;H8m z!1Y!MbTRQ|UR0128)de*&NenCws6k+%4C^0mX|3DBx#O;CMA@%-z1tgv83@P(WHdZ m_M1f0CYChbB$|{^+Ws#rPKhfE%;IDGb@a~*N6ZB02y>e zSad^gZEa<4bO1wgWnpw>WFU8GbZ8()Nlj2!fese{00gs1L_t(o!`+x`h*eb-$A9b2 zXo=69veA?z%{0r>FfFpM(h^Ihv`i%I^+mGBm%bQ;2B9dLnM6=2Cix*oO6;LR2~MV% z4Ead0NykTF+N6|O>dgH6@;|gW-8()Dbiw7Wv)0<{?7jAS9>{^Df~0Pe21~j_Qa?#; zipWiuROjC~E>Ms(Qc{hijgkhR>H6|SQA=Pf@HlWA(9WzzV7H_-z^sVaX?g{4wei+m zxbP5gv+}^MNJ6eTne^%7C80MBq{`KKKea3LFO3ovjB>1)c!{5U>&W z!ip<_A;4Z>%SC9wg}|3UV?^vdV*@(wU$F52<^fY9;#d;it$~V&&}rn9F+eXrz84X{ zB)o}07vOi`orpM@@Y(_o0)v3dEb|?(I!PNyYUi*U2($$b0@c805pg`Xmr7tXa1+o5 zIAWcvB4U@t?gDPL{OX9P$?3QScmU`QGyvOxs)*Q^3Czh+jNV1kDiw$2iCiy9>x#%UN%}xi`$V>{r0peiZp+RoX;wm?oUCslX_};? zMb_6!8k*(6LCF~xMa0qnxeAs8bAe$d{Q+zRGS6LQxiVn33mo>Qt-xQ7p2vV!C1sKH zG|=1l7GSCK-3egRX`FKc@UjbJ6YxFoqj^1m#gclL1KqN-05#rhdvBWb)F1ne{35qJ?;E9rGfSDs=|oq?9d_vFI84mf1|ssgaz4*~QszSqrVUts2WG**iu zw6X+mJWV}Kc}L3kwyvhbfw!D50XhKB18+zwoWr{^TA=`JN|+BzDvOAd5m6Trb-=IZ zV6c|C_M@_h%#j4|+KjHBOL#4AjWVdukcik35tE%~-vzQZXN;Yr6dXt*ud4@*^j()5 zKU4rd0pW`@1wM9^taO*q9~cExN!n(a0f~{Tjn9_U0r=W`YL%Sj7_g_* z0V1M7QkCTkzye8k+i>G8)&MNdZn{F!3Y{8GrwaFX)yuo7QXL9DD~AeFIzo@4%&`-4tjvu&Sye z&+|9nJcQ7h*|ntYSZFkG2(Ih;B+IfF;0pKv7Ls1aKt}Ss|NR*l7=Hd|_#Z2|yJIyemXc&4$l(9RX{;}Vgy%9cFvK!2F#Kg;_@5!MyJHTq zmXd5C*wTgurk6*5PGn$U$N_N~{xeib>}l^H#?rxWAzg!%u8D^3+2Vz3#U=&@Mqj#R z{Fg2jN(_ul^BEZ!^665v5tHPJQA1X?AjV)^YDO)jB=oTA9Su^d2Ppt~vt=D?rG8%k O0000!J6N0?fLsPoS3j3^P60018d1^@s6U{l7800006VoOIv0RI60 z0RN!9r;`8x010qNS#tmY3ljhU3ljkVnw%H_000McNliru-w6>DGz}5*#IgVY02y>e zSad^gZEa<4bO1wgWnpw>WFU8GbZ8()Nlj2!fese{01DJeL_t(|+U=Wrke|~T$3M?+ zH=EnKghUd#k()#$LflIz+Ckig7G+HJqFO^~lVECerY+M-O_c=ggsLd2b!jvurILzE zf`|x76tU!fl_0m>WcS-Y-sd-d-kkHh?Izi<-6@tOk|>i_NUQ z0J(O+k-&bb_SaijVW%)(d*D~Vw{n_K1}cDG>{JGn)E4+Ea5gXu=m+c;cy$9%15B6n z3@~L!d_65_5)1-P4DiK?l5RG$%{!a{CGF{7#F@ZRz@7!@vOUcWiSz#>*v@2ylrMncf`Pz&V22F8-SA{@2&7j{u`J9EH|?T@7uvAKG2QX z-oV{Oc*8AdK2os31;!2+8d(W=EO1ujosWQ@0)NdiU25`cfwjOJk{$-SnAx%>3={MK z`UZZQYi29+^cx6tNj0wr-Y~PeBF1e43LsEqyT1RU-Hpr<<(TYR21PJ51-t%&rm0uJ_mxma#y^GjIUp}xLePHQW$ z9C#O)VP*?rolVm13S*S6d$UQ>Y)Q9C8ZOBq^x8{0Ptrt5Ya+C^NSY&QoTL*ZWs2CxZjweznjvX} z;`mh3Ym&xF8X>7V&A`4d>AkwMh&gnW^kYd+N?H*af2*YVl5UYSC`6>cq<12lGRD<2 zJCOmejx6k(1;)8I&}X)!&UyOmCuzK-%_<)Cl71FqKuL#5dfY$cVzElnbsmF_&GSS_ zGbJ^sG|cy`M=q_-zAtIqn`eBJbd;pYc|On(-j#Hfq&;#~@Nl==LhkwPX14LmULy__^EN_l6`iFq$MWP%5TJRbgou2K>p@ekte+ zi~(Bt-jD%?L_#jlo7v(o3G*57L*TSL%vTSDY{wUXw*&Nk0325!q7ZY`+5)2`9TE8L zhzQ-Sz#G6*z<>Pjjj8!hX@b3~2CgZJCS63h5?5GPX?T`V}Q#7^wxVcVX`|274GO<;ErG}1_EOwU1VlUa@q%zWS-Kv z9~fn3ALT?R2KzjZ0rv258;dg{4r?v&kgsp0hv*IkE_6pO_rvb#O!&QQkwFMc0^Hvn z_%_8AF??udf8IqH@Fcda&cQw1%gyZ7blgl*g){EL)E-rkq$9fr=sg5nX=b%KZPO$@ z2Rs4npL+i|SK$xlw8d=lMOo&{iB3#&`gZ{Pn%U|m*sHI(6iZ_gaD|y|$Z4A@=_z0L zkktEM2M(`{d`+8yPXg`Tfa_gF6vBUjU4;RM2HG}~WC&(PVrTV)D|q&g#8cM+6H?5V zrS+DiM}bkPpE9m;a~W_$WDOTcdJC9jW}8y<>qxRwja9!LBev%z;QkczWyhW;Da3&L z0H1au< zw!?PyiNs{*=zNeV(Qn-R+T}oYs8VMNlT^_J^(@`Z2JOx z<^2DuA9x7WZhJls+%M^TNqaTnUUiL_0CPzK>M_&+q2xrLjH`w;T2p!z%&v+qsRPbp zMVa(EMA{44U#oz{k+4k19F?|=q);@UO6?4s?~cjSlCE|2*;vHZwxocjSRGk^*Gl(T zwo%=_h%{CL<2{a(#h$?FgbP)71yn`MkWFRMi#ceu1^U%R-f6?OrEL>kTHXvCorh*C zx7mgQy(Nt_v-OSGtJabBjb*N_Z6)x29$O}DP}TrfrEI7H?&dc)1}wH7Q6(}`A=Kw# zhJ2`qjJegH+;b4{yrhePOFT4kV4g85JbE#Yq};At)aLn!3w@NqwPk=;B6i^MlJ?$3 z9gE6bwN(J0M84n-We&ftMD>-$UJ?$G+zWPq34NKE5!;JjwcXYKR+){Sr+j)<-IQJ}r2S9z3*Wf7^`qd-wdH@2F+J? zy|RZ?FX=%KgY-(#`wq}r(mfu_tMECGbP1WpJAN*?IE^IM_b)$>X=WC(`vyiNYGaFq zpCQScryY-Tfi;rGxk=ZSq(Xi)Nug>Q(}5|KzG<5zjdisXQeD*~3FtH3V6XEDw4rgA zmx{q$lB`6Csm>y~*SgT>Gr%QRsd$bg}zfnpnG+hG#k9YI1`v>sRgNrNP4l1Gm)e^Nx${6QtJyh0(Sy8<#nti^^^2#FZ(W~ocv=+FL_z}1x+OZy5?u<@0Ar8pfgE5+Hm)XJGoAm8{Zq;s9o+h%`D&* zGh0`H=6BgP|N6X{JyBpjRc?fzHbPAs@jamwfFO-h*nAQm3 zD?Uy)x8LgB&Z_aXP6l2trea1?U*H=avgqaO7fFtEflHI8in&qfD*spyeGDQgZQ9N4 zusWaPVv@pzslcq*O+b%sTuM^(kc*ifTP!pe^F2D1&#re=`(CZ|wY>~H=9l0!^cB+kfM* zs2y!@jvPA1KJ8|s21nRTPh}5>4JSmz1zii6AFVFX7RyuFZfZ0^iN$34>6z_^cfOtb z$N2vL^K&W%jQ$5cs}VTxf8GWa4NkRp4L%o-Fwc^mr(%&E_=s2KAPT3HDQlLS?)1~v zO22Y$f2)(_U6+4DSm$)nVht|#Ql|>fjK;}~%T#^GDql}}SKUe>EQ%Rl+6R(u+z5V^Kb;H|$%cdF+HmH>|)c7cN zzF3ue+q>_S*6mhZv{^@f?woAqC%r+hw4Zg)n$BX`UnUb3 zw@TyqfgL6+6HcFuu$q*h^L*#8sVqC^^ek28JXSPsb-X8r#AoK68vT}ntFl4S$>8bg K=d#Wzp$Pyk3eal+ diff --git a/app/src/main/res/android/drawable-xhdpi/ic_navigate_next_pink_24px.png b/app/src/main/res/android/drawable-xhdpi/ic_navigate_next_pink_24px.png deleted file mode 100644 index 462859aa428fa3861bf6568be92fd97f6c23ae1f..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 504 zcmeAS@N?(olHy`uVBq!ia0vp^79h;Q1|(OsS<5jnFz)wsaSX|Demi5Y7qg>C>-pZP zV%JVG|Bw+YY_^Yh#_Qs^VY7ksga(1PE=Lr8Fg=P-oVn#0r%p{v&ZUUiN$Y!-M2M9* z@7Qe2XP%pO{!IC~Gjrvg9@ulu;ph5sU-%k}spEOs3!1Mg9a;}xX5rTTw5L(+1u|!c zhr^whA(I|{VVkn=`Y-Xlt|m+N3Hnc%eRk=`=TZDeelrBA*%fhW^38DhD0`rKCd(YB zQ_N7NVn}ybn7) kIEJ6|{<@kILt-D}v^kqB#U-1?fHBJ8>FVdQ&MBb@0RHvh&Hw-a diff --git a/app/src/main/res/android/drawable-xxhdpi/ic_add_black_24dp.png b/app/src/main/res/android/drawable-xxhdpi/ic_add_black_24dp.png deleted file mode 100644 index a84106b01fd4402e5d15b08c496a75b76e811999..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 114 zcmeAS@N?(olHy`uVBq!ia0vp^9w5xf3?%cF6p=fS?83{ F1OO~S9V-9; diff --git a/app/src/main/res/android/drawable-xxhdpi/ic_logo.png b/app/src/main/res/android/drawable-xxhdpi/ic_logo.png deleted file mode 100644 index 1bcc11e59daba46ad0ea2f260892e389f4e5e663..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 3657 zcmV-P4z}@$P)DG&k4&9RL6T02y>e zSad^gZEa<4bO1wgWnpw>WFU8GbZ8()Nlj2!fese{01dH8L_t(|+U=ctu+>!+$3N?U zpdcWqgv2Y9(2yR2rD7?RDIud~S@tyTITcY;Q%%pQ=`p>49@xVyHO0~_lgh9(ODzNf zQATaS57wysOex zrGo*D0hR*KZ$cj)GP7GtGAhwoFths!%GlMw?lwQQ0xN(iX12a7_Pu8n<{bds1sv9- zK3rFlP>C+U#5V#rMjjXm>^8HRi!t+K-SsXoE93q3Hc79N)XQ1_NJ$q+S`hEPmu2ioqTnQiRi>(?i)-%x@nwQpR%R$vXV z(#)RB#K4jamETFa*+Rx1FYZ>bNG;l$p*i09*_F6IhcPyQJ3vpG{PKalJGv=}6$^aU5qj%HIvl1s1rJXOf0GMdm${&hEtB zt6>p3dXw!=)G;e#zbC=&K>h)UuZalTCV!s*b)y_U$V`lS9LAEKI)l}ed zf_bA+oCLhs+3pPB5rThvy%+>s58Pdg_-f!sz^&vHZ1Y0kAHW-$yndsBwZIpE9`y>U z!21c_ic@Ma@JAh$Jwe*(yF@;VKNI*(ydzl-RXz#KceFbj_$G4$`c00T#*sO#-yq;7N$-6I1IPQ-I7cNvHnVLddlkO;Zw0vw07FyDP7$=>=E=gxc#%nJI_l_2Y*=;nR z=Ox;GLk3OuKuJB?Zvc|caMtl)qA%MM-(Q*d-X!&j8u0Z|i+h}7{c_PlOWNY7r$y39 z?VX<_^^kP9q@~WeoJbVap68&^#VO*WL2ap-UGXeGeXkm38?Nbw-Kdw<@-Lv@wmek)l zO&`vg=w9Fq_Z;S|?^BNYmUd(xcAUWLB^_M=^EGq=OX}%7eP=rRbF_m-_evU3!RLKd z=B_Fh&vBGl3Czy9-KmZ;KQ^9xD{%9c6CL>JI5Z%DF>cqKkyL4@kM#4j}mdR>KpHX8ID` z4A)AU5q-3~0t2V;$Ba3quXL0-)yu#KmpoP|Ug0S7_X65YSs->t?PwM(bDSI}cko-5 z=(N5BliPYpf0i_`6W4Eoqs;P*b$a~fkF5Zk90hxoJXR=NVSGW;4xfAaHpdC)j?R4a_Wf z{XHW8AsOrRD42IufQOwGPAmDeV`V~v-+La->Qg|!cNDS5kmnk6Yysm;X-0e2adN!C zQ6}^K*37m>ciY2(GYRpwS;Xnr7Dz8k9A!pktkWZLt=)f2dtP0eB(d zGcIHy=m`ak^HB%k56@U<$|+?ZA=^fMJF8i%nJqB03BdUT|7#CkS|Giwbd;HxvCa{W zGWYFg;G3P5el5#ug54OSGL$_zhxY#JC^Nm@98(RnYgz7(G4Ip~j(hii^60#o-4Ge` z>YUd!D?BEm(=#g5-smW^s1he)opUD}1}yAieyCZoo3uvv1WzufnCkQ+IrM3@qs%zM zYmS*9sZwLT7C7eOtufNbgBhevDx1mCw?0Nly^C~Aa*v`2DyD%=#T*azZibSc3%uJ= z^scs=u2b>(JdXs{NqTWNW#Ce2fjrg)v z%yqQYgLG1uVHTqgtVAS5?PiS9+>O^z}jm(nFpdF|ehZxEX!3LWnXzpJ{RqCOBQo}11XsTu@&5-$ChwPF z0?e^c^Bi}Bp{Zopk}k!UJWcTgTSRaRxv@?8BY{^Ek`knpe4jM4uXfPxdw}n!?yzQddxEacCnP`c=qetFw6!I!-B3bM zOK-=w>wvLUljlpC>3FI! zu=8<&jgq!zXnRks)H-=4c6TPoXaud2{&#JwR5=N6BP7AD*Yl;z!^}3sT|F*#} zACK*CZSp*>CnSr!GskM*QB7%DNp-}`rT}NrfcH!dtRZ-Ty{40xcmW|8{E<37Ukyw% zvv0Q%%m1BIzt$0=ab`BSlkX!WS%oZ-8?82#zEp^k~` z(pd+@Db#J*n#T;Be<5=pbSQXd+`x~g_Vb>bfTaYlzAMaZOPy^_jFQny2|2qw?+YoO_R9!Q zi(ZrEonT29M24@0i|Tz+H^wAi7{@g!F{T{^-}u|(JT9%dQ8cp4#7C=6j63!Sg7f=! zg2`n^JlU3;*$TP|A~R1WxJZs{bK2es{JC0g_XtKBHjUt zZjz@&-N-P4nQ#*!@A4uu`$s|J9U5tDY;3o!t$9^EwHKP%>TX11W8+n281US7>vwx} bOmX4AR%6q311s{A00000NkvXXu0mjfjQR~% diff --git a/app/src/main/res/android/drawable-xxhdpi/ic_navigate_next_grey_24px.png b/app/src/main/res/android/drawable-xxhdpi/ic_navigate_next_grey_24px.png deleted file mode 100644 index 4527dbefe3a3fc9b57824deefdd71fb8029b3036..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 898 zcmeAS@N?(olHy`uVBq!ia0vp^At21b1|(&&1r9PWFnfBsIEGZjy}f0hA>t^(`oX+9 zBU!bp^iuSV$c$uhA=OqEWic_s%+MP*4c>wdAXY-%Wyk@gBmWqfL3Hf6ynrc;GE8je$0r#!w9(4@t!aeU)KmQb;PzGP=qjkaA2 zuH7nTsF{|Uof^qE<+#P=9oM9@*6w9^Alneku&?_>QfR1s`l3tUyb$YO|5#1wsHRQak(b7YBTSHuJ8X&pLw;k zV8Jzq@UXC|;^Ja|h8&Zg$KnmC@BgN^Zak;5$n=82E{`jBcdeZ3kSki!VP$V0-+5wg z8&@gY*3t`#Nr58#E>G%&R~bHARs8O<&$D-m{F8VxEdFy`xz7-`_q#m5<-L{lI+_=x zw(2YOGo&QD?Pq@wwQ9x5MmCr1x3LV-2X2TreeW?epIf|sdE8D;{s}5CII^x@xKhjT z`rhy9!hMyicB^woExyMjur9Q}H_(I6H1onQ^RI0kdor9%kKHLd$NJ;i_9u?Yfk!2Z z&s&CX)4j!cLGa3RhQ5ABZ>Fur3m6U0e@;z4qs^dxY#~#{i@o`~9A{*8a;`daTk^sp zjYIQ=m+x_7%sR8I{+CLf{o#no`57$F?DS_VWoNJb`@VIrVcKC!@msTxOv`b8{rl&! z=<`<$CeQs;W3kBM=9;an4aa@^-@Bx2UA1b%pE-A?U76Bfc|b?$dhk)7tW)j@?}|88 zlAPM6`s-bCbvXLwQ0fzjr6+2Y41X?iUXmVRUd5#lv!nlZ8AHso)fN*M{jK}|=-|PF z(G1J~f1D^Q7`bBAtL&5*qupDpZccgrvohHyB3a&5w&O&QxZ&g-IjaKiGg}D9?RfjO z%6sXd%V>(utqv6=g+Vl8EK$8@=#PN*_ zQ8miBU-+8yFi7Q>N!Ox_#aC~pKDOLus`s^RUFzp>ksk~XcpBbMSohE8=gITiv?Si? zgkF#kKG4Lp{QH^A$mSLHF|+=rS)AYIx|D5K)!qW#jxTrZ&ip#U`a_g8FkXGpGPbDG z&*B**azo}ygeo-Oo%(3{wyUQT+*dZf`cQEF*0I*g4nLJMkGC^8+fKcd-n?_0s*>r2 ziZZxDc6&<9U*_NOxs$0 zWNrnsl>Gn16%7BJ3?^w#7wfmUKdt_Z_J!OlD?J-U7+HAJ_H!Q8jSt+*+$)&9^APh2 zyW4iEwgtCC4&L1mQ+4~(DbtWVLV|Em;d-OR(-z;BxSF!Ef+XYS4;eml$Te?UXf zr?!vw|1^q(0g2}u%PT3%uJ!oI@WIEBGpP79dz7(8A5 KT-G@yGywnxY^A0E diff --git a/app/src/main/res/android/drawable-xxxhdpi/ic_add_black_24dp.png b/app/src/main/res/android/drawable-xxxhdpi/ic_add_black_24dp.png deleted file mode 100644 index 3cb10924a0912d9f64d338b9769da053bc051da6..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 119 zcmeAS@N?(olHy`uVBq!ia0vp^2_VeK3?y%aJ*@^(YymzYu0R?HmZtAK52P4Ng8YIR z9G=}s19Id&T^vIy7?T^C0uTIeOgX2~{@-4rW`SaRO?zLF8zVzTLHf)E76O$Z{hqFV JF6*2UngE2qAnO1C diff --git a/app/src/main/res/android/drawable-xxxhdpi/ic_logo.png b/app/src/main/res/android/drawable-xxxhdpi/ic_logo.png deleted file mode 100644 index e1eb7b05ea3bde2229ffb682392020c42f0883c2..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 5695 zcmV-F7QpF=P)DH5n2!A&vk502y>e zSad^gZEa<4bO1wgWnpw>WFU8GbZ8()Nlj2!fese{02QZ6L_t(|+U=crl-*U4$3NBG zS(=yyvakd?WC0ZjOHc$gIO-f%W)6bL5k(MXh{$0yDvJo> zfU<)G5+EuNmh3xOIt#sg=Z{;@v~8#RSMUAa>zD4|_ndc zqgG%Lu9Nd6{aMncZtI~#(mF|hl61PH#$vRx4{C#?CP_mi4V5&^e?$D&RP6yR1Ym&z zeXfzuW?UO9B+VEo-`$k+AT|Pf0xkX<@4s=tPCzp-!Y^L~v;&)gjgl4uOMsQYBH(#5 zYcE){K!K_Yze&Kk8806Xd;vJM5P;hTa4K*L@J?U?Fw%d+fQF2Z=>WC>n}ChLQb~6K zzX2X7gkgaKRl}jc&VlPslr+-JHVjGuD9M1`fWv{011ID_OQUOtBYc;c3>@jZ%?e3B z0)9?%#;!H9&Vp|X6vzc*fgyqGhr6XWf6xg)NfTV#I}Lc9YkAei1mFVTqrm;ZrNEs9 z-xes43mS<>gft9<4-b8Wq$AxVy#zR_M#8WAPIVISa>26&3gm`0KwIGY4&cRs@Zp&> zKuP1>)cvyW7X66_fO`v`El?mg%mvo5?SQf`+%^#Wf0;Bu7k*a)U#tV+*A9HC@c$Jk zkSm@BuF81r65yhN^5IQ=2)~IWU)w%)V)H*v@&OhoP#`CmS%;*r0j~f)4Gi7Rr5i}T z_yJ>qHT5F=rUF+3udEYV+ksi6Fqr}c3gjyU+a#S2+(-&%+s6eWz-r(z;HPG`Xdr!e z({_a45a2t&>vI-hrQqid(oy>O!2L^ry9@KTK!K_W!FH05{Q*f0zD6;#0jqR0^&tEj zfNudOR`A?TQc&|Vz|Fv|z&tZs-|bxnOe6(j9t*q?nC2?@5dQvX{!!nB3KS?%ePP%+ z7_6gJtW;OsZ-@)wxrid8lD3!!zE3ZG*i;el7?0AtfCk~fdU2kG=Wb9jwT)zz6rS8 z%+AkI1>XY9^WP*MC?>uVP)Jt^i1snmq8hDle`xtj& ztO2$H3;j0-coJAf%J*)qhF0%xoKa58e!yY=XA8-(zl-zi22$~jKa+f4j{~cK4QAF> zL;l&x$8tB|wQQ@$w}*ena8l8b^-k|gzAhdG{^H-#3T$?(D*FCLQj$T|NRLh3-B~$} z!w?^boq>aa86=n3Bp-vFeGE1N%h~1@o9kn;!OS|!5`aDlpCg_g_cHKR;Jbr(Bbnuk zKMS4&-d4f8K1d2h$chtzCvp@l(}A~;^0W^HcJF23O!7Yu@A7Y*z*1-2$0R)r+-YVT za}p$ny9?zA;2^Rk`IqLSwCO%1>G#0xdC=7hz0-i>UFn$N;}uzda^d%a3xUTZ%>f=Z zv$cWe>;cRs`=R7@z`y4>4#R;r1IPIMy~+iDUnp5>>ztqNlXM4gPj~~9^x-m1-;44v zd8@p`R@DTSG&k_Vyl71;^ zsTc696l)~iA?d^_@Z&H^7fAZ6q*mpJt&)~|;nJDDA!MOvijP}XT#?s?D(QGh4?7=p zbEE z8W;s!4*ZX#1N-s;zBcGshg22joYSBFFUiS@VrEe;58|kp1+QOvK zeN#6`I?K#%Dq}ob+*drUhSRthxW3LBpuZ$F-aKEIzdoqEWNv-fAxW&x=QizHHi*w!VYpT)v<^c}|uKyw_ zYp6f44{)Um;j9=3yocIWQ+m;bO}z-e7T{X?ueQKs;9HV*%R>NOTgZq3tNk583UR1q zvDLW|QJD>w%{lea;T+ zXHwons%HN;H2Llnad0mJil*TMQ}~S{Ii{PVw~_);pYnye(%mGl07jGYy-VE!y9=%b zSv3_u^!Py;pSH!{^A}Q}^Gl?_+FeM2-20INfg@(w8-ce=x+#O{ep2AM9i-kj-v{pZ zgn+JNFv014E$|xu`@Z~r39GfF7{-n|VXbMv>1AlZn@K_HfAu+A&$dAJsczbi2t2O= z_`IZ>&FqDe0F3TTFE}9u1|Fu9oW@cA%tNFC8jk|Yy84~m|Fx@cvitb+Pb3B1n!8i_ z)NEYaI>Uu&1S_1j-vQ5c4QzJWb^{Is&LI`#$ciz*2Y~-0Wt8-W0|U=p41Ctimi6?X zX12n==`Q!*PbCF>zY}xH&bF^*d$eFykdMopzuIAk&@gr_gsGcWw@3BMlb-$KeP zdJ_1lpN!8WRbEl;4>J$2ddf?N7RolzvwrU-S30$R-5*0{B=opV#|ITq)`50Mj1enod?MbHO|> zaL?CV!+du}x|&@BIU~oZI6%_wX0|kXqnSNRs_0x#_;7I3S_RD9p7878n^#FX8@S2c z0c4!FlO;XXXturNIbCf*gi{+=59ncf<>b}h-bSk589oy3Yq3@6pD><-}J-aZGBbui8c{xARTJlOA5DnyO%-R(J+-*+lyN&2;AP_ zLNF^&?gi`{6@W(nx5g}xKlTc`Le`Pe&}xMl#Nz&*aBZSo+~AviR=i5m&|d!kR>~_c zKbBPfY!-00r1$&5;*NqAVkx$_RNzi&BSj%(Enn6M9MnLn=NH+Tb}Hn>fWsbazZGIn zm{a3Z_-I9&xs_Tz%8Tu&~%mncLlVQ?rUzOkHIY9SxFa4I=G(AV-GRfo9wBI z8-1KA!J^PGTw={kvYTK#k2 za!GIQL;LJ67%5;mE7k_Ix9wpmDR?@w=H5U$p^6B=QGpbo0y_pq5erqAUt{{BrMQ;m z@XnP%0XVuBjk0tqomXyd1F4|Ehe>gmzmc?Wo$*uy*{X4uusR0;7zxn>7}r1wP>o3S z3FIHvQlNh^l9+F|))hv^2CvT}Oe$&_HTGdvcaSQ=T$RH@@46nFN%6LiO8SPR$#ue0 z7PJ;sri-8}wi5H*j%p(1ZbmTP2R(~AzmAm4mn9Io)Uc*N|1fI=tLyxG@}Msg+&wgl zQeb9VC7nac-1utF{5}FW4|t2D&zsrr>OcdGeBb6AHrCBS0XVvelpx+lb|28*ZZfUT zFyXUZMekeuOZNb;FJ#dUf%ZD5uhw-cjf~EI&w{yB(oG~k-a$FiF@#j9W|pK=&FqhZ zj4vCan|Xt)jf(>J>_IHJu|U3ojDBvvM_c@xy zkla+4c=eqALMO3uTsskqMCb{_h!x1~XmEeY^MRX&6N}0(kT0sS`LqSKrdkK(MukHj zKI$<+jW}$+nb~?XyBc^ODG&QsIgZ&3`nR8UG;6Gp%43Y13FaL)u&w4+WC47@n-~|U zJzA>p%uU36Uc1-$o1^hzlX7@x3w7fj~*=&`W-C}0%B=y9-o)pMkiL1d#dCG6; zM-6aQ(5k3(V;vLJB9}IJ>dBKqX+4QSGuB35= zSPEl^q;gOH_Mtj~=&OPPa7K;CESlF_(ZPbG(WLaitXNMhZm=&Q*zOfkE+pj{pHso} zr<1C_*A!kc>cxO-Un0Gto3Zs;<& z8-dG+Ib4l&DtVivav5$QAd*fvl+=@8ctAJ|A$4o3W}4G4g4gc_obCRya)n;Aq&G;q z#m)QPa39&7>J6l@l0$;@j3)IdiBvp#z|0o(@!Z|=Dp=ro#rISDbi{IK?F4QN%9Bq> znh~70T}g#hvsy=;q|#YyyYIR;l1_xn(N2B@Tp{VmK`02H30{AERx?Y|PNYWQXI1$d z?jjZs+5mhA_|K>ilr&t@39iZ9NZ$oT0iN}RpEX=-EO5P~qcYOe1e{Oyejt#-R4&SJ z-G2k$m2^x_Yoj?p<5v2&i1AINFuRB;d$FV`8Ru<0@Eu|$)3yRPdsD1`c;LTEYE$`W zmvoP$GhH(GM*O~#PM374q~(Ek%nmNNlY`%Ia`5>ll{r>3d(#XgjhFN@AJcMiXy7|8 zD)Sw4B^{jM`J*JAA!)v(&Th{*GQ<7vm$W5F+d4^S_VL__&a+Y6D`{*7x*zIt&-0Ql zkW_Xyjil=XG|rRM(#P|rNLm_r<`qGD&n#nXS4%oR1Kkgn@$5MzmrGB((N9P%3y&ys zei}(Ry{`v4BrPYM1hx9kHN<^1qZv5GRi7uFqDK!mE&@)GbTcU@yEI070*3)_r?zQl zH0DC3k7wMJE{*dc zq=rz@ao+4}Wo_`jNx(OOuX#(yyM4@-lPb`x2R3%?XX098sTuf(NbO6rVhQ<_2cyDy z`v@@~_AaDWrSpK_x<7G^%Z-Vo1HpeHo;}h^>N?liqX0Cs^^!gS{L&e=5;QV6a)%eY zQ#C38hjiI2I$br7<}>Dr`EIg&tPC24cKMcS`II(G`Z(#pW_>1px}>X4l1=p;qE z+}-sBJu%t>-!ZSF|6+)C7?{~wNxvc909;9_pLtUOCgb4!E`s=1h`iks8~d+K(IjL%`)-+a>fy$eqB)iJfo`X8e>` z`@?e4?ix^Am6-J@QgiKfbv)KL0zdAjcP|IdG_(12&W~GwPn+4=dLYJ4`j5If+|dst ztOPDJvuC<%9or+glT@AJy}(n2eCu<9SGei8xyrBlA?Z|jMHSz118^~Q+JN4h7JUi0 zx*s&ZZ;;$W^^8vPEy17Xyqyc&L2YX`E+n06{Glhat2cr>&Fnr>kJ3L7ta&yFh2WjQ z7pf!#+euYIW|ErzJXhu2`XVKq;R4C z@C>hdo3|H$Gk`zVNS-|F8vC6+`D?RQv3(kNhfD8A`bmZDs>;^0MtU{rlrK-_Yxn1# zXJ%VTX*~0)%&0HBruk9eaboFyQLHAG>sz9+4frzfDW|boxC3~%nSH;`_uy5)6~HNG zwy<7_G_zHt2!}7afT{*IkUH_bH@Efxl1$P#kL!6>wL`0Dv{?hxUX`lCF`|Qb|z_=gZwCeZ}Mc^1|~T zr#iZlyk|-0NLp0oHS(~eqa+P0gTAW90rv9VMoH5oUFmB)FFfJxLi_I1QUUS9T`N2d zIDi!MHInjA=C+W+0a{5FFIJM$pY8&F?|G2r()w1?iFQ_;VP?1HFu@an&$tU=JSm2$ zFRiR9<2fhtbEkbZEmju?yVq{ zWP4-&Z=_u1J)I}B(zwybektkn^e67O%7d=az{#XclUK7XMsipg>#)r=oR>(MTUU`X z8#>FRZ4z)B*&{x#F|+f?5t0rBK1&Lt8s}@JDI-s9au>y)ecrCmIu@2A(@i4nX)$N9HRA=N0H-~zrh-(5GgRu_0H z{o9@c9y7B=R1uzOaftKd6z9!xPG7V8_15{=uOO9fdYTj{{gk^JszFz&wd}rKc%j7? ze5okth#t(j4Q}GD@G*Q5_$#RtS4V|3HIoAGvuclvJX)X{<1>L&)@riz*2FI3(%eOM ltaF}v&iQIS@J!S{`~MD6#>7KZSNQ+{002ovPDHLkV1ju@1f>7~ diff --git a/app/src/main/res/android/drawable-xxxhdpi/ic_navigate_next_grey_24px.png b/app/src/main/res/android/drawable-xxxhdpi/ic_navigate_next_grey_24px.png deleted file mode 100644 index 6a1bf19f9d6b47502ee4494b3067b5b8071e1cb8..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 1070 zcmeAS@N?(olHy`uVBq!ia0vp^1t8491|*L?_~OmL!2H$I#WAEJ?(H1kY~e(a*885$ zJ#U?k&TZlrkJadCsy{e2I((NvjC97YiJ1rcb4n(ju@`XZ+FBAQxZ3{A(n~Y7^_Q9O zY`rtnwd#DW|26SvPi%_c&9y%1Ble@QOrbf<|6?P=L4PJD6^8=$15b?`SvcM??5I(j zz;IBOVfuL%A%z{x4?fLwU}7m}h_Ms)Xn4Taa5|ldQ{WC`!A~Cr#wKe9z4@FZYA*Q5 zmy@3#uYI~G+~r&Mq92%p0cd*;Ot0s9WT=Cd+}jbLYN3e*F0Ftxv8h{u7)y zeWj`((}Qc*uElXYT)8Myb-D{jL*=~tq7&CEZCceZBSc7%!7W2DDKzxHGskvOfytgq zJO?;(Yinz_-hL}**tvYUfyjYro+W#e4lw3SbUC?6XTFbGujqb$hqqT+H>^~>sCr<^q!(fjVubje zIrv4HeFV}MWjEyB(!7;x{+&Vj2r!s7-+o*7dBzbHhHainIY0}(Y+dvHK&?u8#z7|e1P3f}wl>63H|>wVh;Hs_`9&VA_Gqx7v?Yv#e=^@1KJtv_DK zWs<&kr)}@jXF>_x+c=Fszq)%`_CUy_=bKuWO|dCwkXGxrf1&rvE2wzRkLg_khxi36 z7p!RCn_&5R_rdcAuFRj^z;@%q`fuwdvD-6C+r4>|_H1W_@{B#fJq5a357h}EC;THw|*{*=4hBbd-nWII@RkUE={i7B9+w}5gonz*6Xi! z-6tLwE2tTMPPpE2Fri@O{rB~M&cAk>lM!!`HZ(Yg8O2M|@et j5%7NMNv}aE{D-^S=UGEiT1phK9ANNt^>bP0l+XkKAv4|8 diff --git a/app/src/main/res/android/drawable-xxxhdpi/ic_navigate_next_pink_24px.png b/app/src/main/res/android/drawable-xxxhdpi/ic_navigate_next_pink_24px.png deleted file mode 100644 index ffcec52cdc47f6a341e6a3287e03683523e89f2a..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 1095 zcmeAS@N?(olHy`uVBq!ia0vp^1t8491|*L?_~OmLz{2P0;uum9_jb4ia6_QZ5nmC{?4_*-xj#G$DaUOwjOF%U}OBE+3g) zHx@f@3cu&&Q*p!~zx(W*o$6l?SXb9or@h%UIlXUDt{A5{JJ| z4EwxR*8BHr7On*IO6`ZO9XIbnVa>|-%xg~$=u@_lt-ae0xg-dWHVEn{Fp5XcCw$1{^b?SysMVaLi%sU^K^R4$(-M_Hb%kW6dSr>7J-JWYq z``Ue`O{rcqd*%za1ip`#BmQPgOZ66dx1bHn8(&tN$a zH)+Q9%URjK8W(+im%+)Hms>wYVAj>A&;H6TUA&`0h{1dN1%X+IpR>s+>HK)dIBl=> zVdoyDZ-2F39@5_I#-N&i*LgdqPGzz5w`sGy8&Yql)g?I2tUUVeDPMxt$>N(%!Cv#M z8&oGBuYd9FwaUt!e*Y$Sg|6JgskB`5>jw5|Ywe`}@c8`Q$(hlhTA%e^tMY^Kh9`&h z^3vvYn>L-ieSqV-legOWzn?z`FaYV?+js7`B{EF&kCW23ZD5%3Yt@FkdEAU2URONM z6xq2j;?m^GEmB#%KPnSnIaGgtpRSacB;Db8#^#3Uqq|d29<0rF-u%Dvu1C?yX0Hdk zZpbHp{j05bMtstXy3mICjkE0?6gz8f&V7`SuujE4$vS1TV%t%X`~7S?*=PM0lN4mx z=qB;;)Dj*hlTKItE{3mhGuNm%Opf@nh$GFVdQ I&MBb@0BqIh0RR91 diff --git a/app/src/main/res/android/drawable/curved_line_horizontal.xml b/app/src/main/res/android/drawable/curved_line_horizontal.xml deleted file mode 100644 index 0fd31c13..00000000 --- a/app/src/main/res/android/drawable/curved_line_horizontal.xml +++ /dev/null @@ -1,20 +0,0 @@ - - - - - \ No newline at end of file diff --git a/app/src/main/res/android/drawable/curved_line_vertical.xml b/app/src/main/res/android/drawable/curved_line_vertical.xml deleted file mode 100644 index 407292e5..00000000 --- a/app/src/main/res/android/drawable/curved_line_vertical.xml +++ /dev/null @@ -1,20 +0,0 @@ - - - - - \ No newline at end of file diff --git a/app/src/main/res/android/layout/activity_hello.xml b/app/src/main/res/android/layout/activity_hello.xml deleted file mode 100644 index 9e0f02ce..00000000 --- a/app/src/main/res/android/layout/activity_hello.xml +++ /dev/null @@ -1,191 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - diff --git a/app/src/main/res/android/layout/activity_licence.xml b/app/src/main/res/android/layout/activity_licence.xml deleted file mode 100644 index 1389f81f..00000000 --- a/app/src/main/res/android/layout/activity_licence.xml +++ /dev/null @@ -1,56 +0,0 @@ - - - - - - - - - - - - \ No newline at end of file diff --git a/app/src/main/res/android/layout/activity_main.xml b/app/src/main/res/android/layout/activity_main.xml deleted file mode 100644 index 852fb615..00000000 --- a/app/src/main/res/android/layout/activity_main.xml +++ /dev/null @@ -1,104 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - - - - - - - - \ No newline at end of file diff --git a/app/src/main/res/android/layout/dialog_add.xml b/app/src/main/res/android/layout/dialog_add.xml deleted file mode 100644 index 4829fb48..00000000 --- a/app/src/main/res/android/layout/dialog_add.xml +++ /dev/null @@ -1,142 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - \ No newline at end of file diff --git a/app/src/main/res/android/layout/fragment_assistant.xml b/app/src/main/res/android/layout/fragment_assistant.xml deleted file mode 100644 index e3789e21..00000000 --- a/app/src/main/res/android/layout/fragment_assistant.xml +++ /dev/null @@ -1,12 +0,0 @@ - diff --git a/app/src/main/res/android/layout/fragment_assistant_item.xml b/app/src/main/res/android/layout/fragment_assistant_item.xml deleted file mode 100644 index 17d69c5e..00000000 --- a/app/src/main/res/android/layout/fragment_assistant_item.xml +++ /dev/null @@ -1,42 +0,0 @@ - - - - - - - - - - \ No newline at end of file diff --git a/app/src/main/res/android/layout/fragment_history.xml b/app/src/main/res/android/layout/fragment_history.xml deleted file mode 100644 index b5a5c80e..00000000 --- a/app/src/main/res/android/layout/fragment_history.xml +++ /dev/null @@ -1,14 +0,0 @@ - diff --git a/app/src/main/res/android/layout/fragment_history_item.xml b/app/src/main/res/android/layout/fragment_history_item.xml deleted file mode 100644 index 199c0cca..00000000 --- a/app/src/main/res/android/layout/fragment_history_item.xml +++ /dev/null @@ -1,69 +0,0 @@ - - - - - - - - - - - - - - - - \ No newline at end of file diff --git a/app/src/main/res/android/layout/fragment_overview.xml b/app/src/main/res/android/layout/fragment_overview.xml deleted file mode 100644 index 5fb7e08f..00000000 --- a/app/src/main/res/android/layout/fragment_overview.xml +++ /dev/null @@ -1,105 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - \ No newline at end of file diff --git a/app/src/main/res/android/layout/preferences.xml b/app/src/main/res/android/layout/preferences.xml deleted file mode 100644 index 96664f5c..00000000 --- a/app/src/main/res/android/layout/preferences.xml +++ /dev/null @@ -1,8 +0,0 @@ - - - \ No newline at end of file diff --git a/app/src/main/res/android/layout/widget_labelled_spinner.xml b/app/src/main/res/android/layout/widget_labelled_spinner.xml deleted file mode 100644 index 6d138a51..00000000 --- a/app/src/main/res/android/layout/widget_labelled_spinner.xml +++ /dev/null @@ -1,26 +0,0 @@ - - - - - - - - \ No newline at end of file diff --git a/app/src/main/res/android/menu/menu_hello.xml b/app/src/main/res/android/menu/menu_hello.xml deleted file mode 100644 index 5ba86050..00000000 --- a/app/src/main/res/android/menu/menu_hello.xml +++ /dev/null @@ -1,7 +0,0 @@ - - - diff --git a/app/src/main/res/android/menu/menu_main.xml b/app/src/main/res/android/menu/menu_main.xml deleted file mode 100644 index 903b4998..00000000 --- a/app/src/main/res/android/menu/menu_main.xml +++ /dev/null @@ -1,8 +0,0 @@ - - - - diff --git a/app/src/main/res/android/mipmap-hdpi/ic_launcher.png b/app/src/main/res/android/mipmap-hdpi/ic_launcher.png deleted file mode 100644 index d86870cc706a001d0949476afbd9723d4160d070..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 1817 zcmV+!2j=*RP)3$g7>1v7+lo+7!L}GdWeK55szlIYK{f*-0RyBWPy?tD0Yzkyr6sXSi!5yuAZkO2 z5D0=nP=N%9tRkxf0>&T}i4`P7L8O$mGhB0er*zs*=dN>aOM3qF$9(6TbDqBMchC9m z2cjYcn=V-EuMPIEH44(;Fdv8l^6(W-s|}E9 z1t3+KH3dbT7l5M)Mg)_W{1?-9%~DR5u_0t^x|c$+NXVmzCriAY01u z&~B~(s&WXlC7?T#T`JrW2jr-7JWx_Z0Ywy!OXsAB0g8yNYBpyMzQ|llA_B-2EjSN0f+h{%k4qK{xyThhXU|EF0RFY$W zY$->gc(XI)57MB_-T@!)un4GZS`NOL>4MDLc9O`sjsUV3K6r5% z>?^XdKd}H`^bEU@Yy+~b97VvoG#HRr8OEWr(0eJ|^x1$Um1OVfW($z2WV~P2`P15@ z*2b_WVa3qUTAscI@_w|Iw_=tpyIBULD(RC@MCeYS(Ji&SANGs^`8U+Kd;@wdg`dwG z%~(U6b-P&t<{W$%I9O29UKtHS^!W5tY9NEt?HLu!&VxqLC)-x@Qt@ZT3@a$(GEoXa}Q03?NtdA$=X8EkH=A8m)MoqBUlg7{l!eJUzB!k@iSFPZ$@Fd!qz zWQ-b}{sM??HO9xq!v3+)s;SYGTHK}UkdhClF4jCxRYwW`oE7F0hmUq2(Cj`iqldLU ztUL;Dth83zl=KiBeh1{u-Kin3AK#y_q(7YnYf<2JF^)3Ol zawy2QhLzE?0QMHa6A5r+0?5{^9J@|KpD*qbKzrV{R)6FTzV&=KUjp&5P&5tXJx&hU z*l(9xdjP3q#zASUt_Y&kt_ZQJQrwYuLDnI&lI<-za}`?7h1+Uy z)+zW1bJQ*my4zf4AYK)|tSv?sWEhZ47JwuZ-)AKGotPD`!0@L`O<`*x3|R&8dJ&_5w5e24 z`H+pYzEx_F{x{r26{*6XwMjozi!cQ!2$DG^jZ20_1C6ao-rDmI!Q5SNE%0t^d>2?a zpz{3eoshZRSWYdf7*(X1fny0!5TtK`1Vbxq-4u?!2MuFFhZkOe#rxr0G3@&jE?ljM z>)Zl1jRN`BwS36B(|rjXJY(qVff7_k80`TCCpE30^2vb)+FHYq77v86$)PtCs--Fq zl|z%X^HcN2mFI0Z0jXbV#an+!I3tBW`y2hx>JgR!nYLR(W9_=pwpsO6$hWBSZK@nn zWzV;Q@yXCXv3e1Z>grJdQg!;{3My$()wZ)ZbgBYg_7v17|=AA~6mm z%uqvGYxo*i|BF5v8@6)9V!=sF*==wK`1ED%;Adu(+=OXcpx`GXvuxSQaX_Z+);=B< z4S?QljcgVU|D~OY4xcp=Z`)Q80Tcwu*f~jF83sKLBRWFQHqiK<%A1!zV32pPua3i- z<3@iDa|@MJJ2j{3f53JPs+!Q!iCe;I(+m<~wU)?*Yw-I;?N=Vghoj1ItVoAie*lv4 zbCPigHAPxJ=jeU4;|ePOLQ{oXZL5hg2B37is*zG$Y-Wr1% zXGP3bt^(4ORQ6u~YX>1k)K;zoa@cMWx0NS=OrMiNJInENj-Kr!TBJkQq>L0m_LG8M zQRpqR>~mL@6VY>!-gedKGDz~AWVCRX1e#qN^m04>x$6q5I48~Q0gCJ==|PfkMhSnG zRGsU?GeCi-o1WdSpo-UoKg)IHcxtg=8HBN$XSVX}DOQs|)aYt<^VC+g4p0@lHS*e4 zwGz-BNUDhQvgTA(xu-?i^+%G0FRTZo1FarVJs=Cd3Yzji9!IigE~qK100000NkvXX Hu0mjf9l>6` diff --git a/app/src/main/res/android/mipmap-mdpi/ic_launcher.png b/app/src/main/res/android/mipmap-mdpi/ic_launcher.png deleted file mode 100644 index 4f79c3595a33976289bceed71a5498e071ae9cec..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 1194 zcmV;b1XcTqP))1BLHQI&w&t$j+K5- zCf@)V@m-#T7>I-~08gGbT-crg%!v1Y#CihI7C-Z57+VQ@`gAgE9m#lGxi@y%0NUcm zSHV}!Fs1@#Y=%>R2Le$RfVOxg_0>7Bbh;&a$02BXPX|ERlobhW02yg}@lsD?d&3rJ zYp91k3n3D+CR7_Ye>=Q?SQ|nlvcBdno2mZ3?^TfZ+>zB?%D)r|Iyk; zHxjM@8S$#C%(&C#`>hSIrqSMLV=uIPtP7x(P9*_kIJN+RU1O%!O)N^MNn_#QQ!pWF zFY;mnrgcN#S-bf&K&tqf5S?PE<25I0*9h1xl&l&}Wat7=kvG3-E<7=81dr}0 zwn=i6Abz5p@F-hz0Jqn`*Gr)yTv|g~LgSn8&5t z@Z&R3710AoNtoUZKb#u2zpN2h-3VzscHLN4dQr$^!bw;?tgR^4j}uUii%2CUyfq>v<5OQonPa;;29NsDiQ zQQT4ueb2k6&nx@jg^%Fn`(Wigmc6Qj?@ngd&LS*M7i}~+G$`mg=II`g;n*Am+kr8T z3ag{=N31l!z#zy?o(ccz7H17PJzU zRaxS-Qz%zKCY@9_Ho7SO>J8967u18sZtOn}%RYcZzuV20E#4D=6^ZtF2)WG`Lfr?m z>R@&~myTE=;Mkw=`LFOdrl#nns7d1ok3Da7J2o&r&GvDiww6vh>+@tEiP>PMZP_66d+UBx)8?1 z8%d%3baIWv5R%1y(Sh6fjkK0IFmVF2oxxQoA*r2Uj;DXML&D|4~HtPKvh>39smFU07*qo IM6N<$f^2ys0RR91 diff --git a/app/src/main/res/android/mipmap-xhdpi/ic_launcher.png b/app/src/main/res/android/mipmap-xhdpi/ic_launcher.png deleted file mode 100644 index b7e172e80357309f62ccb7d13853b9bd33e8effd..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 2312 zcmV+j3HSDiP)lX@H`_M0k-(oeLxLZi!s}0M-f6K0pyFHp1p>(n9k@yh#UYbao3MYu+X0Q1ucRQ zA_btV_!$-vgAf@2j>L~3gh&8zC4L@+#+e3K;ng^mN7f!dTKp!E*fxnkI?@_|)XeX) zFw;b5o3`%>+5%7_{-^0kUkF+PP%6IW5VQl}i})Ht&)8vucbp9f*VEFDTz zEdY2bH7l3e#Vrgy7Us|a1UmCIEKx%R5UTi^tO=n3&_eudL^NU6%r=;3%4RfKzfb^Z zCVob{P#^>jKvVHUgAgbHD^dR=64s)khbb~KJg_gEd;)CVC*xhpr^zrE%v9N7xxNAe zkQRTj)UIZ+UvPX4JU0ADY@DUC zW2FGn;xAEFYUcjZpO1$6uRHtgPi%pkm8YWg*wzCot0QFqe4F{=XP^IBSa%DE1=vXw zspz_u@cciWSi7~cz-Yp(R#KuW0pP3nLY`+Pz?ENgC)Bq6FmxH1DR+L(td&9V48V8s zzcvtFoeGA;qfS}{E4Mn6)V-Aji3c#Ne(L3AP2yK&pVUe;Oec|2zu;zus7b(clVJ4c z-OD39{?!H}mczmS$@y3I@*D}$0Ice}zXi!gm(@-+AaY5f@^1rf{0cmJoy?uMZ1?ll z!h&^ZHk$P8vNua4@@oj|XO{$j!1a4VeKzoKbb zgZ7VL_-|m>L1+CKTx@hMc-@(?cPo7Xh>bR};ijTJxfLd^a@JD}064ub{B0V1=6GkK zRkHdd3Ey}GHtw!uDbigW0o;29%(|qqSZ*v{`=djKkPf1%V))`D&gK+O8hx5I!wZjy_0+asMY{MWGkKxvvJu{Chbb4r@PYXj zA`K0=r}#TTw@g8`Rq%cT^bmV>3fi(wFync}is;&L2b_9h ze*fb7%J2UkT>w^X!+9hvmr2{|gTW&}em)R49o9}!17QDuVaSr~A&fXreq&nK>gtvj z`$}Wi6f~2R@s6v9sY>lNK52Z*l~3AOdOO;xZ5T`{wHi2EX5c)ZA*aCR>7Khe*1^4h zhWeMYece6`ny%{Fw>Y$acDsr(+rapqVa|V5rZZ^(VlZV8`u2na_1;dt!~?ay2V)+E zj`V?6Rl>f=HDXX#Z7y00TmB=XS*}kTSmO+{(Z!Kl{*aykD1{*M^q_w7g1os8CN#sp zJFIs#ngqXEUH$m$@`=g9E_k!5v z%x%>PSU3hm{x8;Mz5oyYRThBA`8OEm{6EQdkn5);0x}(@BVjGz{v^Go%C3Y8-&zZQ zr4UXCSgM^+3u0U2wqeC#?l}Y(FN1b>7a!8Y9RcIps>D|s0R<4`($TQfV9jI@pC6TK zbJoD3^%*A95(2`I!e)8Uacmhzq#lB5tX+qaAK~3byWt z-nDQ}e-O9lt{DvC`g*x0)(Y_{lK|na`69kA5#Sku*biDU7RC)JEs;3i6{V*5P9XD{ zQYAq*?1F2bfcIVBlJiY`Ujc~DrK=-xDeJda!}aG?lGWM&*YASwH^X}$IJ3`M`6|Be z06akuA7sqA6z&)S;%}KIKHd}C4Rc1LpbR;jV6Hl?d zFy1g5MU)2C0tcWegiyo}bPXt+QcBX1nt2+U_@M&OBoaauKXd>gLkL}bEdY2fQRULm z5wN}!^nzRLQA1gTi#z>dlY(-g_z0mLtQ&MlJ9+Pwaw*hb zFZ<3>ss)3y6pf^%_*zClMsS4?v=v`#0CsicITExMUwZ(bLP({={!GE`+KS0Zn^Lpf zlWJ3jmamRnM?yOo;|+8ED-|(?Y!C?mF4IwD#E(P@$}dqXMna^-j~svskq|lYBMG1c zgh+}XSpWqP`bK5J)p|2drWiT)o{&oR*KK>j&2NcJ73AheMaeb>5HhV8Knx&c1wtM^ ij(`|I$O?o!{Qm*0!>EpwDR?vh0000^0fN^UsHAoHaz&D` zmVh_m7o+04i;BO`n(}@hu|hu@$QXEQSY-tYnV`+g8#*@}Zmy}39iKe8V-fK)#LU9Z z?r3Ilm(qUbR~IQ23{w4yU4B>otke|%PLAyuXL^EFHGKQ53^>LVhy#L?OE$-o^bi=VeT zEW}{LW$pwG%ChkX@K=UwVbETj;HN{ASFL0Vfm9L$vd2s^8-5l`qIF1XRt(moT3QGT_oMh6@ zTeT$&y(-9#kM2t2aLUucN(}nWTxBw2S$eTRsjd;Qk1&2-dB+(*z1C8kEsoro?^g!vh3 zeDSzt#77eNNDSOr#;Stln^cuKd|EBt0{QiG)`uHO$F0Vx{#X6$k!Y~;Dm%xa_Q2;K z$sa6%Y)zEZb&fOfY#%Cgzrmp7FsTU=c|%ty){^igM*9yL!N!So1`gZXbp07G6Rz-a zIZ}q*f$RiJGKdRIOCZc6Ol;?@BmjxFhkaunBkVgWQ0Bi{ev0a+%&&6k2ijk<5HRqm zx7X?7`RGJ^2FIgGN_3=~Aw=#bxh)r%62vE^v6@dm{k5g`k0CzVzNl}h*U&NwzXL}i zeFsKd^aFoA|6UtuO^Lm)c*N7_nPYw7=+>>tss&1>9d_aG%O33C2 z4%8lu&iIg9ci7;+h7(c7R%hkDN@-F$2+d!xTe^MGui-Z%dHh>=3Bvf(jrO7i0Z;0o zchyRHe^VJjOHzgL%km%4{FYR}_QrKSvuU(hvv6Pft+F%&nX5ag$-o#TXv4I)NJ07LIKrvMV zTU;3BPO(kamAzaQS+aUo>3HS&e7~sw`qtkH zp5U+15APYDizx6YX*`!n(uij9VB*5_4YGc6e1_W@rR$PYyNE0yW+_#4B)9jjhncaa z5#g7C;UlD;C1B!z8yM>+GsS_>>CSQXo zB^(B-=}lk2Gway~_}N9`56C{>)vlw5C3pnA;;De&OJ3J?gY)l&GankoB)w@{SvwRP znCgjn-I4TP=nmN|AkvNC2yj!W7jK$_R%>l;PQBr5pk_|>;GVwFP5hw&>U^itxT8s2 zc3tdpY9O^Zh+0&bZVGl(a8tO@LL6HkLwmOHdK5aUUzfTz{@Q18spx6+BKQ#bEWXNGSq zyK(SB(x$74uGsLu?u|Q77JCXNM$59w)?}w|+~nXb3VJ|XqsJ%Bl4|&!PK?B|4l0ID z+?N%`oxbR0g}GsEjcm6b=L1r?zF~yVNRO{k2!dr+4$49$|g|Xa>zZD47-Z-67E>l!65HPz3e)v-2x`+Moy-^x~?4f?||ll+f3wv zhOP6l(JgUFaq~qyIS-`cP1ydRRE<#akN%rW&w_YqvnhLhqn)TI22Nf<&OG#`8OfpR zNa~#p;Lu8<*kfhCiQ8LI7b=<@Po@J?S>*&=3VMf*^X{9h7I-dq5P3y!)@xCtRkTW> z|LFKbvo5EL`ck_%2hWMn?ER=tKRE@Qmvsb*fo#01pyXY6BX9gi*ozAf!`&+kFcLT2huzDFRmvxR{Z>EqBwJp zdTpBJ9Sv#E?u+dYeJXs^6c1nO&WF{gS`@@j9Rsm;!e z$ggy}in2CE_?>OHd^s)_aA(gx#%u_V&~wL|>eAy2{A1%l#OL1}^41+l3ksy!)V$;T zmJVuaaR=AAe>SDfQk^!iOoo_JeXk8GD?F7RSb;2$Y?fC9>OIV+R2=9Ot3zBh@IVIl z@^nC|nY_@=n^VbUTLuxpAu(21ZHQm+@xT;m-9jJSB3(1zt&;LVWujpcZWsg!vYq62 zirr>x$X}xfW+s5q$F z;i=3s{vT6AApTbL+CoU@JT;pqCC<$=^x4x_{kP1zT|OyWhTcC))A$$ylG;C8$Sw#8 z%q#P*{-?m8UCt)R`j`7zX~kp@_tuF1&w!82Y`W_U`Xk5&5AwTAacRgLwU+Xm5_G{BN5zy z-kk?w<-vndy^COHHT`oYHl8L+JV5T==XBKEOtr6L*5C^p*y;DgTxx*|$t;zzoi(*` zYLyy`GUG?g%EmMaj&wGej%X0AOAs!WM-jn}yoKRAZJXXa2h~U%5b$W|LhTg+leXGg zPihDx_CUQxNSN_EL^@k^WfbmL#>w>pekeB;`zz;TNk`y(->_pDwy9V>7MwQ|+2(@(}g7Y#@(hO|ak)`aGH3VCrG zwIPm?)ZXIS-MO`K89>q9cQY9jMmj0-r0>Z&3zM%`_Fgm}VPG((D1k%Zst>lMsdUV3 z3+%KnLay%=ej_HAF>K9z`R2@vCSUeA?n6ja>wWaYwZVz}nk7uhZP=`zMEje+f^Rl? zkob|EAMctgGc!dXquh~}d%l%gpReqlY zYCM-ts7z4k*Ag!|!e(+kM(bwBXbnP!Q5;HtO{bIG5r$Z}L`fdp&E#pYneAU>Y2Fa! z4o9=Uzd>MBF`M2nTI8Ri^PoGqWUn_>EjD3}Y7U^cJ%_hm6lLI=twP97vg8`pK49K_ zK<)MZB3TI{&w)^^2mZ{4FHYEp(VS|OZE=1kMa4>#M~tcgBkhCSE%|^0rv83K;R{Q$ z11Ly7&~fs6o>Bzcz*o}xHeI{_EE0E%L5KBdi$ON{g@;e9)n|g;g@A3<$nNW3QiATk z67&u~55+(sB3BIsjP<)tYSf?dE^2`b;5g}ZCD>v1i-$QGAa=$E3)L~QCB8#0#lwpM zd3Pt{i=mDxrZbHlQ5~@1kie~4HHs+m^+>%wb?MGGs#ySuT0TGbOrpsQ8gN`O<6)jE z)3Nb@8<*Kx>IbkV3#I&183j(>|^G3I{x0;zO10jQ~9qE)asW*nKaj-&YShl<&oAcHR8%< z4MsAYkbo+Hn_+l;74+Nb`c$Q_w)j}97G1J-pzcqigX{Wk-^P!`in76x?wi=qCZ$Ht z-d>)3vKyY^>S;xS*s@?rs0Vq7N{2^QApdZlBN<)krRO1MOt7`oH+(+YGch@MtVV`0 zUp4y3;y##WiIp%+4{#+t;S<*9vYlUt2$=11$(-LuP{v>~*xib4+x?Z3uCKC5{=pa+16-@4bASxHtG$&cC zM_m`LoaXrGm|0p=U3I@CrO@bbBAU^CbLhaE(A43yQ~2M&1EJm2FK?MLvy)5|0&s4O z=Kl^V2!SI~c#`A2W~DcWSMHm?aJr|aAT(??Fk>9mwr%a+(#=3p?iDX}Fh z?RlX0ofB*r0{0!5`IfOw#+5OEg*PV1@H5T`M2a{PA_DoqDAR{hLaS4NZuG5GWv2hn ac&QPEs-G+3BmM6=2k2@UAwOz5M*Sbuc8)#( diff --git a/app/src/main/res/android/mipmap-xxxhdpi/ic_launcher.png b/app/src/main/res/android/mipmap-xxxhdpi/ic_launcher.png deleted file mode 100644 index c594a55120aed1cf3a2f45ed38e0a45a4ce90e57..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 5696 zcmWldc{tQv6vuxv#xnMdkbTL%rj*^-vM*U8StDNiWZ#XkhGgtz8>Ot-w@}6wQ4HCN z7%^nu2Qhl}$G!L5=ef^4_nhaP?{lBeQ&VFdI%;-m008LpbhXSbSM0w*MR7Ts&3RD* z01Ks_mbyiV{g$13mSunQMdjITelT@f`BPo+4U;9teI~i5)a?DxEWHFDttZswe2)MQ z^;_kTBkiY9{vqBZ6hD7?H}DI2?-7nb#S|;s$Cm`B`o=Z#uw(SY*XH+{g^HS!3T_K( z)!I8RKmJ&l?+BW#V8ZhVFgioDQU^vf-5^+qqhOL8*br%LqQ+1J#VRs-Lh^w6q9|@< z7&4G|ib@9bNQI;vA_Q!}tFJhM`@;T&?ivD9G1dZDNYc^a0saN>G60JbG*wtPvnY*D zbNNFNv*0~8k!^iv7=n`_Js@;3@!zC}`%`%`WvrDLqVU48P)3=RqZ|j9ZSuP4mQb3W zmkBOmGMT(HP$w`XDVS`y*!;qlAqlbx1s5=QBtsb)@!As6y;G7@hMKbdMZB2M%X2`} zyYp6C5c;FI^rq;PEZUJNL)0Dyk-1}t1mG=VI>gw)IZ8b6d8MHU~#1j!@QKh=ywuK1n5EH?B!Nd#8^iAzH>rYpXj(BmBNV<3=6W3*YX~A zcu2-KVOChV<)3VE^}TPFGq??Tqw1WDH!k0z%!5Im(@a~cmJgWPbiuy=*=(~nn~ujKX6I4kVt0gn-~%A2BS zu3z!>wB&h!ps8#?xA@K4>zQ+zoz)NHFsIklHJD@RD7` zmtP362v{p`pT+ge&Ik8_M?!EiQ~pP%-(k8xU_x+Buti#BjIK`iJ}WOM6a^{MJxF%~ zyL8t{{w?=NI%IysFe50L7IcH}EkeG@jU^8VT+4u~x{lSH9oe#G@q6F0a6G(kuK1>k zr(PIdM0oya#@w)0mPi+18M|bRvWD@x=5+C0lO@`f?hzsNf^b90Xb@B1EUYgBXxU$g zP>2f*hU}mF^sZWmqe7T?+bfJMWtXQQ^#Gq?H_CTeNWVHCQL&MyT*CHagOQXhX@3)cL*iK(NwN0W)J`4c!XLa&|t zFRB0qt@!UsojP2=mu<51UBtu8J6iz77Z6MJ1m^p=(Op^2WLnU^MAv&KhP5B6P)7|` z%u1=R$NYLNlBNvA zcG4SGWO|2M-=vUe{#rwu?`m3pvqMCt|ZyV~(D}hR%N_Cr= zup`9ObviWEq4H)K)7N8A(dNc^UH-%DKVg)Jc?w*tB+FJmBCKc&;B*gI1fM9 z$YmjT*PLA09gu>@Q-}z6L1_ypaeHfsi>5?PcGqX~%ayI?iw1!!;x@xV#GX6B9hx|O zT~8$U&6xg@AACMZ8B_63@Q|cbf^dpjrGRO8!km?T6grj&2~(x;I2)dxzFHt6VlUnSHYpHsAo*9>7ehENeEu z9>G`Fuw9Y6;GDpxx(hcRzV}UFbpe+fGI9mxMT_Fb3HRKxTT-&G?SW;sA4_{SZ9D>p zJa;#h`|}GVvZc_yN?35nI)^H{6Ag zcjVX0`^~`xKUqSEW?a39`4yE~pjkS^znLF~Rk(PYwVMi@-3K*>lNJ7WA=@-gI`L52 zO-YOi?m{d$2qD9111IsfSt!#03BQuS4Y~mrB1b3u9-Fjf=|{Y zwq62eUC|K+%aQyPsYBrR(F!<2` z#8lfjT45S;vL%gNEZg8o%IC%n$Oh!%r20KA@&F&)^uwvEAfhj=1UFECA0rjDV=!m2 z?JCrrbvExP4FS11LlHtUaQK#0#f?3F!F-1-(zU{_Vh}=AOCbWoxCvrQSBECfx)i^k_cH)#9fXv{{h~e(>;!wd=_wU*RRg2LP-BFhN2~gNHo_L!~E;R zaG$HVz=Q+w%cm?(f(6023KPY{psCRRZUiHYw=)c*h2-I+kYIP5 zI{s*H)ctG}bgVE3a|DOPN9`VoTtV6gm9W|ylE#+UT>91KAx-We&ISF8gD>RbF)42H z9M@pjYxY8V;#ZKWAzgU3%!K+fY0ujrs}XX0o5t0@zwftGO6SbhV!UuAtxDlu&!LWQ zr3Md&Zh(Gg<#abUgb~lGU%nJ6XPSN~VAhJ*f`$WbQ@xWe6xEqo_ zFmy|A03u&1TIbZ}-dlHeu+NU){2bpXUwT3#O=(ODI{j!hO5ys!+&&G;`y5@7kp_jg zsz`k7`Ld|ISMwqN;pTCOG-mb*;Y@W!8$Z=gAmjo2Y%j#t@_{(KaEHnp23DXgda;G$$HibbRf%YsG^i=Jxw#-G z3_sPld3IrRwxtW^;s#&XFDqPcug<07^$%J*3M8f>WF_zD3n4j;8_ZZd9+v1IA|I0@ zn*FqCu7cdxqq7 zIX(xz##rcoVQz~oOkw9_r8^G`pm`0`-Q*@qDv{ZGg^m#>JGR5KX*tl~jC=zo7r*f^ z`>xdZ$8@V@Z+z-xKyKe8xWs1L#93JS#*A^qdfi5Vad?STpR~Sh8@Me4FJQt86@7C> zwD7<2=geKML3_E2Yc13^K=HZcd;4#6Z_qQ0g$;!dM% zDd|h9XbCz7JeAuOY$D?<_BBf@71tZiKQTI*$Y-%T#|ej&izC(;ej2^YA3vO1^DUxu z?X+uWNhax?j-IDQcy6=+-rE_u$0lZ;Gnr}ox9Mw zMIoYjFfa`YJF1@(*XcE;yjv`qdo~)gdB_&02ElO?+4KNsWe`_<)TtQ8$RPS{m(x23 zFS4S)RC#+W@Qx$M;w4IGE$jdErW53abn=Ga(G$FrKPG#o}*qu+GQOE2*x!nUZ zY@@=grgxru&(U`_P+(+S!kK28xU4(Kt?NM;C1pMJ$5A@1fQX_0AAQ1X@%MoW(ZDa?s1^@GEH0Ky}BG04^>G8H19!(<@3} zo*cYR_u5n-qTR|iU|}~B<{9nxr0=MhN_MbiKT4mGbItZ3kIK0@PPR;88|QYqVPdRYQqG(sI`Zn*?pZDCDnsE zW0NY`m%sxPj5Oz~4)wJ((>qi!5q#HgTU_wKv^qUq5N~)da9Ha|R({q(} zg!!DRkbjT*JbaCdxXd8H48g5K{}ceq2y}<(??0#5xI05tqupoUrSB1yK9B6nKRe=R zfe(n(MBXKNBllILuGh0wRC@eW>TIxMpaV69qAIB!=iXzR%LX5{w{pHw{_A^9<~Y)^ z_x|k8_B54z-P0{Qky?}agzCr+GSFgoQ|F(G!s9X`>MZ`#{wnVtu!hG?u0VgcXI)bP zg~^P5eco`x^Uf@_vD1jt*9qq{Gtx-}2hLw;ce>dpY@^9baM)u_4qzn1)^vu#?W z%%a*Aeu17IC3qDQ2&pE4cQb$=JtaHb|1I>N9!wD|1$3WAdp8H?|MY27*f?M+t@ik4 zUWgV%8ljxd1kmMgQZ&H^=oSxGhvMl{BUuLaVQcJ;eHxCZVW+a&f|{*($y>{~ z1o&xey;>8)$tF$}idoS@+Gi?sz7G#HtB9#Fc+mpJY|yV+xFfnur9uP@0Pi9s``f^7 zOlFKh8fE46uHhq%duvKge}Ww66ZeD9L&l^Se~|l@LNVS(aJp{^mbFV;g|kGRkk_vL z9uK<6^Y(-B$HPFotjdgoi$pYii*6izfi`h{8q)nn*PjbRLK%C56m@l^jmGchvZ{q` zhMg)Rw~r!LG#v?DAIc})xzI_c9Q2BQkn&@Q<>za4IP>99;eDzBPTGRm5mhr%eEhE=QE*!ikNWs#u4H9%sS10 zjT|{~f%U%(KupZ5f4&`dvfqVm|B79&-L$erF+8DO(_ii>I#<7&1K6;B8j-B75ae&h zKRf4d!vW2ux<;06ZX{}wQ0^Cmz!u04`0u+!ruu^Ii@}E%gRU{jYs}$b_m=*i{ed)q zZVJ*}ru*i|q{`7tB3c6KsFiF{6_x81anQBka?3C{x_KxSaPEjel}p2!cqd~^%2a!A#D?gLcv7vB1_k?eUZt|E5l_Y`5do(b@;{3cwnkaJx{JRr`JC)z*z>sg zCP?3r4P=7N>7v!Sq$mJ&y|Cl3^dfH_z{E=k1(S-c^bc9FDdmH-sb@mDv=)ZIwXAg? zOqBt8BrcviLp$KrAe952;FfdM5m-3D(|yFNJ(ROBaO%W>zu6Y9+`T;jjQw=-uR?23rk!%VS}`q9 zL26?@SZ^@jLx1G_M)p{DF;qqGt5r7QlUpUWh5g_)T8iWpZo5)hV)u z04u(NS#l9NvtI?QH_*Z^;}h$r3Aywv1`oTu1rJIRvs?~E5hFU)$<=*_WI&zW_bPG} zO@OL5*mn+Mme_dPOTdYs~*=+j=3VL(sYSgS_E5%oVh2!uNT diff --git a/app/src/main/res/android/values-aa-rER/google-playstore-strings.xml b/app/src/main/res/android/values-aa-rER/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-aa-rER/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-aa-rER/strings.xml b/app/src/main/res/android/values-aa-rER/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-aa-rER/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-ach-rUG/google-playstore-strings.xml b/app/src/main/res/android/values-ach-rUG/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-ach-rUG/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-ach-rUG/strings.xml b/app/src/main/res/android/values-ach-rUG/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-ach-rUG/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-ae-rIR/google-playstore-strings.xml b/app/src/main/res/android/values-ae-rIR/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-ae-rIR/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-ae-rIR/strings.xml b/app/src/main/res/android/values-ae-rIR/strings.xml deleted file mode 100644 index bd7e2bd1..00000000 --- a/app/src/main/res/android/values-ae-rIR/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - تنظیمات - ارسال بازخورد - بررسی - تاریخچه - نکات - سلام. - سلام. - شرایط استفاده. - من شرایط استفاده را مطالعه کردم و آنرا پذیرفتم - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - ما فقط به چند چیز کوچک قبل از شروع نیاز داریم. - کشور - سن - لطفا سن درست را وارد کنید. - جنسیت - مرد - زن - دیگر - نوع دیابت - نوع ۱ - نوع۲ - واحد مورد نظر - به اشتراک گذاشتن داده ها به صورت ناشناس جهت تحقیقات. - شما می توانید این را بعدا در تنظیمات تغییر دهید. - بعدی - شروع به کار - No info available yet. \n Add your first reading here. - وارد کردن سطح گلوکز(قند) خون - غلظت - تاریخ - زمان - اندازه گیری شده - قبل صبحانه - بعد صبحانه - قبل از ناهار - بعد از ناهار - قبل از شام - بعد از شام - General - بررسی مجدد - شب - دیگر - لغو - اضافه - لطفا یک مقدار معتبر وارد کنید. - لطفا تمامی بخش ها را پر کنید. - حذف - ویرایش - 1 reading deleted - برگردان - اخرین بررسی: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - درباره - نسخه - شرایط استفاده - نوع - Weight - دسته سفارشی شده برای اندازه گیری - - خوردن غذا های تازه و فراوری نشده برای کمک به کاهش مصرف کربوهیدارت و قند و شکر. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - دستیار - بروزرسانی همین حالا - متوجه شدم - ارسال بازخورد - ADD READING - بروزرسانی وزن - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - ارسال بازخورد - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-af-rZA/google-playstore-strings.xml b/app/src/main/res/android/values-af-rZA/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-af-rZA/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-af-rZA/strings.xml b/app/src/main/res/android/values-af-rZA/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-af-rZA/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-ak-rGH/google-playstore-strings.xml b/app/src/main/res/android/values-ak-rGH/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-ak-rGH/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-ak-rGH/strings.xml b/app/src/main/res/android/values-ak-rGH/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-ak-rGH/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-am-rET/google-playstore-strings.xml b/app/src/main/res/android/values-am-rET/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-am-rET/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-am-rET/strings.xml b/app/src/main/res/android/values-am-rET/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-am-rET/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-an-rES/google-playstore-strings.xml b/app/src/main/res/android/values-an-rES/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-an-rES/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-an-rES/strings.xml b/app/src/main/res/android/values-an-rES/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-an-rES/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-ar-rSA/google-playstore-strings.xml b/app/src/main/res/android/values-ar-rSA/google-playstore-strings.xml deleted file mode 100644 index 0fe6fb0e..00000000 --- a/app/src/main/res/android/values-ar-rSA/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - جلوكسيو - Glucosio is a user centered free and open source app for people with diabetes - باستخدام جلوكسيو، يمكنك إدخال وتتبع مستويات السكر في الدم، ودعم أبحاث مرض السكري بالمساهمة باتجاهات الجلوكوز الديمغرافية بطريقة آمنه، واحصل على نصائح مفيدة من خلال مساعدنا. جلوكسيو تحترم الخصوصية الخاصة بك، وأنت دائماً المسيطر على البيانات الخاصة بك. - * المستخدم محورها. جلوكسيو تطبيقات تم إنشاؤها باستخدام ميزات وتصاميم تتطابق مع احتياجات المستخدم ونحن نتقبل ارائكم باستمرار لتحسين المنتج. - * المصدر المفتوح. تطبيقات جلوكسيو تعطيك الحرية في استخدام ونسخ، ودراسة، وتغيير التعليمات البرمجية من أي من تطبيقات لدينا وحتى المساهمة في مشروع جلوكسيو. - * إدارة البيانات. جلوكسيو يسمح لك بتتبع وإدارة بياناتك الخاصة بداء السكري من واجهة حديثة بنيت بناء على توصيات من مرضى السكري. - * دعم البحوث. تطبيقات جلوكسيو تعطي للمستخدمين خيار عدم مشاركة معلوماتهم الخاصة بمستويات السكري ومعلومات ديموغرافية مع الباحثين. - يرجى ارسال أي الأخطاء أو المشاكل أو الطلبات لـ: - https://github.com/glucosio/android - تفاصيل أكثر: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-ar-rSA/strings.xml b/app/src/main/res/android/values-ar-rSA/strings.xml deleted file mode 100644 index f09c4549..00000000 --- a/app/src/main/res/android/values-ar-rSA/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - جلوكوسيو - إعدادات - ارسل رأيك - نظره عامه - السّجل - نصائح - مرحباً. - مرحباً. - شروط الاستخدام - لقد قرأت وقبلت \"شروط الاستخدام\" - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - نحن بحاجة فقط لبضعة أشياء سريعة قبل البدء. - الدولة - العمر - الرجاء إدخال عمر صحيح. - الجنس - ذكر - أنثى - غير ذلك - نوع داء السكر - نوع 1 - نوع 2 - الوحدة المفضلة - شارك البيانات بطريقة مجهولة للبحوث. - يمكنك تغيير هذه الإعدادات في وقت لاحق. - التالي - لنبدأ - No info available yet. \n Add your first reading here. - أضف مستوى الجلوكوز في الدم - التركيز - التاريخ - الوقت - القياس - قبل الإفطار - وبعد الإفطار - قبل الغداء - بعد الغداء - قبل العشاء - بعد العشاء - عامّ - إعادة فحص - ليل - غير ذلك - ألغِ - أضِف - الرجاء إدخال قيمة صحيحة. - الرجاء تعبئة كافة الحقول. - احذف - عدِّل - حُذِفت قراءة واحدة - التراجع عن - أخر فحص: - الاتجاه الشهر الماضي: - في النطاق وصحي - الشهر - يوم - اسبوع - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - عن - الإصدار - شروط الاستخدام - نوع - الوزن - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - مساعدة - حدِّث الآن - OK, GOT IT - أرسل الملاحظات - أضف القراءة - حدِّث وزنك - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - إرسال ملاحظات - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - إضافة قراءة - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - قيمة الحد الأدنى - قيمة الحد الأقصى - جرِّبها الآن - diff --git a/app/src/main/res/android/values-arn-rCL/google-playstore-strings.xml b/app/src/main/res/android/values-arn-rCL/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-arn-rCL/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-arn-rCL/strings.xml b/app/src/main/res/android/values-arn-rCL/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-arn-rCL/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-as-rIN/google-playstore-strings.xml b/app/src/main/res/android/values-as-rIN/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-as-rIN/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-as-rIN/strings.xml b/app/src/main/res/android/values-as-rIN/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-as-rIN/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-ast-rES/google-playstore-strings.xml b/app/src/main/res/android/values-ast-rES/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-ast-rES/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-ast-rES/strings.xml b/app/src/main/res/android/values-ast-rES/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-ast-rES/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-av-rDA/google-playstore-strings.xml b/app/src/main/res/android/values-av-rDA/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-av-rDA/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-av-rDA/strings.xml b/app/src/main/res/android/values-av-rDA/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-av-rDA/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-ay-rBO/google-playstore-strings.xml b/app/src/main/res/android/values-ay-rBO/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-ay-rBO/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-ay-rBO/strings.xml b/app/src/main/res/android/values-ay-rBO/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-ay-rBO/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-az-rAZ/google-playstore-strings.xml b/app/src/main/res/android/values-az-rAZ/google-playstore-strings.xml deleted file mode 100644 index 90c29484..00000000 --- a/app/src/main/res/android/values-az-rAZ/google-playstore-strings.xml +++ /dev/null @@ -1,20 +0,0 @@ - - - - - Glucosio - Glucosio — şəkər xəstəliyi olan insanlar üçün pulsuz və açıq qaynaq kodlu proqramdır - Glucosio-dan istifadə edərək, siz qlükozanın səviyyəsi haqqında məlumatları daxil edə və izləyə bilərsiniz, demoqrafiya və qlükozanın səviyyəsi haqqında anonim məlumatların göndərilməsi yolu ilə diabetin tədqiqatlarını dəstəkləmək, həmçinin bizdən məsləhət almaq anonimdir. Glucosio sizin şəxsi həyatınıza hörmət edir və sizin məlumatlarınızı daim nəzarətdə saxlayır. - * İstifadəçi mərkəzli. Glucosio proqramlarının imkanları və dizaynı istifadəçilərin ehtiyaclarına uyğun yaradılmışdır və biz proqramlarımızı yaxşılaşdırmaq üçün əlaqəyə daim hazırıq. - * Açıq qaynaq kodu. Glucosio sizə azad istifadə etmək, köçürmək, araşdırmaq və istənilən proqramımızın mənbə kodunu dəyişdirmək, həmçinin Glucosio layihəsində iştirak etmək hüququnu verir. - * Məlumatları idarə etmə. Glucosio sizə şəkər xəstələri ilə əks əlaqəylə intuitiv və müasir formada məlumatları izləmə və idarə etmə imkanı verir. - * Tədqiqatların dəstəyi. Glucosio istifadəçilərə tədqiqatçılara diabet haqqında anonim məlumatları, həmçinin demoqrafik xarakterin məlumatlarını göndərmək imkanını verir. - -* Поддержка исследований. Glucosio даёт пользователям возможность отправлять исследователям анонимные данные о диабете, а также сведения демографического характера. - Səhvlər, problemlər, həmçinin yeni imkanlar haqqında bu ünvana sorğu göndərin: - https://github.com/glucosio/android - Daha ətraflı: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-az-rAZ/strings.xml b/app/src/main/res/android/values-az-rAZ/strings.xml deleted file mode 100644 index 51e14b41..00000000 --- a/app/src/main/res/android/values-az-rAZ/strings.xml +++ /dev/null @@ -1,137 +0,0 @@ - - - - Glucosio - Nizamlamalar - Əks əlaqə - Ön baxış - Tarix - İp ucları - Salam. - Salam. - İstifadə şərtləri. - İstifadə şərtlərini oxudum və qəbul edirəm - Glucosio Web saytı, qrfika, rəsm və digər materialları (\"məzmunlar\") şeyləri sadəcə -məlumat məqsədlidir. Həkiminizin dedikləri ilə bərabər, sizə köməkçi olmaq üçün hazırlanan professional bir proqramdır. Uyğun sağlamlıq yoxlanması üçün həmişə həkiminizlə məsləhətləşin. Proqram professional bir sağlamlıq proqramıdır, ancaq əsla və əsla həkimin müayinəsini laqeydlik etməyin və proqramın dediklərinə görə həkimə getməkdən imtina etməyin. Glucosio Web saytı, Blog, Viki və digər əlçatan məzmunlar (\"Web saytı\") sadəcə yuxarıda açıqlanan məqsəd üçün istifadə olunmalıdırr. \n güven Glucosio, Glucosio komanda üzvləri, könüllüllər və digərləri tərəfindən verilən hər hansı məlumatata etibar edin ya da bütün risk sizin üzərinizdədir. Sayt və məzmunu \"olduğu kimi\" formasında təqdim olunur. - Başlamamışdan əvvəl bir neçə şey etməliyik. - Ölkə - Yaş - Lütfən doğru yaşınızı daxil edin. - Cinsiyyət - Kişi - Qadın - Digər - Diyabet tipi - Tip 1 - Tip 2 - Seçilən vahid - Araştırma üçün anonim məlumat göndər. - Bu seçimləri sonra dəyişə bilərsiniz. - Növbəti - BAŞLA - Hələki məlumat yoxdur \n Bura əlavə edə bilərsiniz. - Qan qlikoza dərəcəsi əlavə et - Qatılıq - Tarix - Vaxt - Ölçülən - Səhər, yeməkdən əvvəl - Səhər, yeməkdən sonra - Nahardan əvvəl - Nahardan sonra - Şam yeməyindən əvvəl - Şam yeməyindən sonra - Ümumi - Yenidən yoxla - Gecə - Digər - LƏĞV ET - ƏLAVƏ ET - Etibarlı dəyər daxil edin. - Boş yerləri doldurun. - Sil - Redaktə - 1 oxunma silindi - GERİ - Son yoxlama: - Son bir aydakı tendesiya: - intervalında və sağlam - Ay - Gün - Həftə - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - Haqqında - Versiya - İstifadə şərtləri - Tip - Çəki - Şəxsi ölçü kateqoriyası - - Karbohidrat və şəkər qəbulunu azaltmaq üçün təzə və işlənməmiş qidalardan istifadə edin. - Paketlənmiş məhsulların karbohidrat və şəkər dərəcəsini öyənməkçün etiketləri oxuyun. - Başqa yerdə yeyərkən, əlavə heç bir yağ və ya kərəyağı olmadan balıq, qızartma ət istəyin. - Başqa yerdə yeyərkən, aşağı natriumlu yeməklər olub olmadığını soruşun. - Başqa yerdə yeyərkən, evdə yediyiniz qədər sifariş edin, qalanını isə paketləməyi istəyin. - Başqa yerdə yeyərkən, az kalorili yemək seçin, salat sosu kimi, menyuda olmasa belə istəyin. - Başqa yerdə yeyərkən, dəyişməkdən çəkinməyin. Kartof qızartması əvəzinə tərəvəz istəyin, xiyar, yaşıl lobya və ya brokoli. - Başqa yerdə yeyərkən, qızartmalardan uzaq durun. - Başqa yerdə yeyərkən, sos istəyəndə salatım \"kənarında\" qoymalarını istəyin - Şəkərsiz demək, tamamən şəkər yoxdu demək deyil. Hər porsiyada 0.5 (q) şəkər var deməkdir. Həddən çox \"şəkərsiz\" məhsul istifadə etməyin. - Çəkinin normallaşması qanda şəkərə nəzarət etməyə kömək edir. Sizin həkiminiz, diyetoloq və fitnes-məşqçi sizə çəkinin normallaşmasının planını hazırlamağa kömək edəcəklər. - Qanda şəkərin səviyyəsini yoxlayın və onu gündə iki dəfə Glucosio kimi xüsusi proqramların köməyi ilə izləyin, bu sizə yeməyi və həyat tərzini anlamağa kömək edəcək. - 2-3 ayda bir dəfə qanda şəkərin orta səviyyəsini bilmək üçün A1c qan analizini edin. Sizin həkiminiz hansı tezlikdə analiz verməli olduğunuzu deməlidir. - Sərf edilən karbohidratların izlənilməsi qanda şəkərin səviyyəsinin yoxlaması kimi əhəmiyyətli ola bilər, çünki karbohidratlar qanda qlükozanın səviyyəsinə təsir edir. Sizin həkiminizlə və ya diyetoloqla karbohidrat qəbulunu müzakirə edin. - Qan təzyiqinin, xolesterinin və triqliseridovin səviyyəsinə nəzarət etmək əhəmiyyətlidir, çünki şəkər xəstələri ürək xəstəliklərinə meyillidir. - Pəhrizin bir neçə variantı mövcuddur, onların köməyiylə daha çox sağlam qidalana bilirsiniz, bu sizə öz diabetinə nəzarət etməyə kömək edəcək. Hansı pəhrizin sizə və büdcənizə uyğun olması barədə diyetoloqdan soruşun. - Müntəzəm fiziki tapşırıqlar diabetiklər üçün xüsusilə əhəmiyyətlidir, çünki bu normal çəkini dəstəkləməyə kömək edir. Hansı tapşırıqların sizə uyğun olmasını həkiminizlə müzakirə edin. - Doyunca yatmamaqla çox yemək (xüsusilə qeyri sağlam qida) sizin sağlamlığınızda pis təsir edir. Gecələr yaxşı yatın. Əgər yuxuyla bağlı problemlər sizi narahat edirsə, mütəxəssisə müraciət edin. - Stress şəkər xəstələrinə pis təsir göstərir. Stressin öhdəsindən gəlmək barədə həkiminizlə və ya başqa mütəxəssislə məsləhətləşin. - İllik həkim yoxlaması və həkimlə mütəmadi əlaqə şəkər xəstləri üçün çox əhəmiyyətlidir, bu xəstəliyin istənilən kəskin partlayışının qarşısını almağa imkanverəcək. - Həkiminizin təyinatı üzrə dərmanları qəbul edin, hətta dərmanların qəbulunda kiçik buraxılışlar qanda şəkərin səviyyəsinə təsir göstərir və başqa təsirləri də ola bilər. Əgər sizə dərmanların qəbulunu xatırlamaq çətindirsə, xatırlatmanın imkanları haqqında həkiminizdən soruşun. - - - Yaşlı şəkər xəstələrində sağlamlıqla problemlərin yaranma riski daha çoxdur. Həkiminizlə yaşınızın xəstəliyinizə təsiri haqda danışın və nə etməli olduğunuzu öyrənin. - Hazırlanan yeməklərdə duzun miqdarını azaldın. Həmçinin yemək yeyərkən əlavə etdiyiniz duz miqdarını da azaldın. - - Köməkçi - İndi yenilə - OLDU, ANLADIM - ƏKS ƏLAQƏ GÖNDƏR - OXUMA ƏLAVƏ ET - Çəkinizi yeniləyin - Ən dəqiq informasiyaya malik olmaq üçün Glucosio-u yeniləməyi unutmayın. - Araşdırma qəbulunu yeniləyin - Siz həmişə diabetin birgə tədqiqatına qoşula və çıxa bilərsiniz, amma xatırladaq ki, bütün məlumatlar tamamilə anonimdir. Yalnız demoqrafiklər və qanda qlükozanın səviyyələrində tendensiyalar paylaşılır. - Kateqoriya yarat - Glucosio, standart olaraq qlükoza kateqoriyalara bölünmüş halda gəlir, amma siz nizamlamalarda şəxsi kateqoriyalarınızı yarada bilərsiniz. - Buranı tez-tez yoxla - Glucosio köməkçisi müntəzəm məsləhətlər verir və yaxşılaşmağa davam edəcək, buna görə hər zaman Glucosio təcrübənizi yaxşılaşdıracaq və digər faydalı şeylər üçün buranı yoxlayın. - Əks əlaqə göndər - Əgər siz hər hansı texniki problem aşkar etsəniz və ya Glucosio ilə əks əlaqə yaratmaq istəsəniz, Glucosio-u yaxşılaşdırmağa kömək etmək üçün nizamlamalardan bizə təqdim etməyinizi xahiş edirik. - Oxuma əlavə et - Qlükozanın öz ifadələrini daim əlavə etdiyinizə əmin olun. Buna görə sizə uzun vaxt ərzində qlükozanın səviyyələrini izləməyə kömək edə bilərik. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Seçilən aralıq - Şəxsi aralıq - Minimum dəyər - Maksimum dəyər - İNDİ SINA - diff --git a/app/src/main/res/android/values-ba-rRU/google-playstore-strings.xml b/app/src/main/res/android/values-ba-rRU/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-ba-rRU/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-ba-rRU/strings.xml b/app/src/main/res/android/values-ba-rRU/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-ba-rRU/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-bal-rBA/google-playstore-strings.xml b/app/src/main/res/android/values-bal-rBA/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-bal-rBA/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-bal-rBA/strings.xml b/app/src/main/res/android/values-bal-rBA/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-bal-rBA/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-ban-rID/google-playstore-strings.xml b/app/src/main/res/android/values-ban-rID/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-ban-rID/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-ban-rID/strings.xml b/app/src/main/res/android/values-ban-rID/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-ban-rID/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-be-rBY/google-playstore-strings.xml b/app/src/main/res/android/values-be-rBY/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-be-rBY/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-be-rBY/strings.xml b/app/src/main/res/android/values-be-rBY/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-be-rBY/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-ber-rDZ/google-playstore-strings.xml b/app/src/main/res/android/values-ber-rDZ/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-ber-rDZ/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-ber-rDZ/strings.xml b/app/src/main/res/android/values-ber-rDZ/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-ber-rDZ/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-bfo-rBF/google-playstore-strings.xml b/app/src/main/res/android/values-bfo-rBF/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-bfo-rBF/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-bfo-rBF/strings.xml b/app/src/main/res/android/values-bfo-rBF/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-bfo-rBF/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-bg-rBG/google-playstore-strings.xml b/app/src/main/res/android/values-bg-rBG/google-playstore-strings.xml deleted file mode 100644 index a4ec05a0..00000000 --- a/app/src/main/res/android/values-bg-rBG/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio е потребителски центрирано, безплатно и с отворен код приложение за хора с диабет - Използвайки Glucosio, може да въведете и проследявате нивата на кръвната захар, анонимно да подкрепите изследвания на диабета като предоставите демографски и анонимни тенденции на кръвната захар, да получите полезни съвети чрез нашия помощник. Glucosio уважава вашата поверителност и вие винаги може да контролирате вашите данни. - * Потребителски центрирано. Glucosio приложенията са изградени с функции и дизайн, които да отговарят на потребителските нужди и винаги сме отворени за предложения във връзка с подобрението. - * Отворен код. Glucosio приложенията ви дават свободата да използвате, копирате, проучвате и променяте кода на всяко едно от нашите приложения и дори да допринесете за развитието на Glucosio проекта. - * Управление на данни. Glucosio ви позволява да следите и да управлявате данните за диабета ви по интуитивен, модерен интерфейс изграден с помощта на съвети от диабетици. - * Подкрепете проучването. Glucosio приложенията дават на потребителите избор дали да участват в анонимното споделяне на данни за диабета и демографска информация с изследователите. - Моля изпращайте всякакви грешки, проблеми или предложения за функции на: - https://github.com/glucosio/android - Вижте повече: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-bg-rBG/strings.xml b/app/src/main/res/android/values-bg-rBG/strings.xml deleted file mode 100644 index 2ed3d8c6..00000000 --- a/app/src/main/res/android/values-bg-rBG/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Настройки - Изпрати отзив - Преглед - История - Съвети - Здравейте. - Здравейте. - Условия за ползване - Прочетох и приемам условията за ползване - Съдържанието на уеб страницата и приложението на Glucosio, например текст, графики, изображения и други материали (\"Съдържание\") са само с информативни цели. Съдържанието не е предназначено да бъде заместител на професионален медицински съвет, диагностика или лечение. Насърчаваме потребителите на Glucosio винаги да търсят съвет от лекар или друг квалифициран медицински специалист за всякакви въпроси, които може да имат по отношение на медицинско състояние. Никога не пренебрегвайте професионален медицински съвет и не го търсете със закъснение, защото сте прочели нещо в уеб страницата на Glucosio или в нашето приложение. Уеб страницата, блогът, уики странцата на Glucosio или друго съдържание достъпно през уеб браузър (\"Уеб страница\") трябва да се използва само за описаното по-горе предназначение.\n Уповаването във всякаква информация предоставена от Glucosio, екипът на Glucosio, доброволци и други, показани на Уеб страницата или в нашите приложения е единствено на ваш риск. Страницата и Съдържанието са предоставени само като основа. - Необходимо е набързо да попълните няколко неща преди да започнете. - Държава - Възраст - Моля въведете действителна възраст. - Пол - Мъж - Жена - Друг - Тип диабет - Тип 1 - Тип 2 - Предпочитана единица - Споделете анонимни данни за проучване. - Можете да промените тези настройки по-късно. - СЛЕДВАЩА - НАЧАЛО - Все още няма налична информация. \n Добавете вашите стойности тук. - Добави Ниво на Кръвната Захар - Концентрация - Дата - Време - Измерено - Преди закуска - След закуска - Преди обяд - След обяд - Преди вечеря - След вечеря - Основни - Повторна проверка - Нощ - Друг - Отказ - Добави - Моля въведете правилна стойност. - Моля попълнете всички полета. - Изтриване - Промяна - 1 отчитане изтрито - Отменям - Последна проверка: - Тенденция през последния месец: - В граници и здравословен - Месец - Ден - Седмица - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - Относно - Версия - Условия за ползване - Тип - Тегло - Потребителска категория за измерване - - Яжте повече пресни, неподправени храни, това ще спомогне за намаляване на приема на захар и въглехидрати. - Четете етикетите на пакетираните храни и напитки, за да контролирате приема на захар и въглехидрати. - Когато се храните навън, попитайте за риба и месо, печени без допълнително масло или олио. - Когато се храните навън, попитайте дали имат ястия с ниско съдържание на натрий. - Когато се храните навън, изяждайте същите порции, които бихте изяли у дома и помолете да вземете останалото за вкъщи. - Когато се храните навън питайте за ниско калорични храни като дресинги за салата, дори да ги няма в менюто. - Когато се храните навън, попитайте за заместители, например вместо Пържени картофи, поискайте зеленчуци, салата, зелен боб или броколи. - Когато се храните навън, поръчвайте храна, която не е панирана или пържена. - Когато се храните навън помолете отделно за сосове, сокове и дресинги за салата. - \"Без захар\" не означава наистина без захар. Означава 0,5 грама (g) захар на порция, така че внимавайте и не включвайте много храни \"без захар\" в храненето ви. - Поддържането на здравословно тегло ви помага да контролирате нивото на кръвна захар. Вашият доктор, диетолог или фитнес инструктор може да Ви помогне да изградите подходящ за вас режим. - Проверяването на нивото на кръвна захар и следенето й с приложение като Glucosio два пъти на ден ще Ви помогне да сте наясно с последствията от храната и начина Ви на живот. - Направете A1c кръвен тест, за да разберете вашето средно ниво на кръвна захар за последните 2 до 3 месеца. Вашият доктор трябва да Ви каже колко често трябва да правите този тест. - Следенето на количеството въглехидрати, което консумирате е също толкова важно, колкото проверяването на кръвта, тъй като те влияят на нивото на кръвна захар. Говорете с вашия доктор или диетолог относно приема въглехидрати. - Следенето на кръвното налягане, холестерола и нивата на триглицеридите е важно, тъй като диабетиците са податливи на сърдечни заболявания. - Има няколко диети, които могат да Ви помогнат да се храните по-здравословно и да намалите последствията от диабета. Потърсете съвет от диетолог, за това какво ще бъде най-добре за вас и вашия бюджет. - Правенето на редовни упражнения е особено важно за диабетиците и може да Ви помогне да поддържате здравословно тегло. Моля попитайте вашия лекар за упражнения, които биха били подходящи за вас. - Лишаването от сън може да Ви накара да ядете повече, особено вредна храна и може да има отрицателно влияние върху здравето. Бъдете сигурни, че получавате добър нощен сън и се консултирайте със специалист, ако изпитвате затруднения. - Стресът може да има отрицателно влияние върху диабета, моля свържете с вашия лекар, или друг професионалист и поговорете за справянето със стреса. - Посещавайки вашия доктор веднъж годишно и поддържайки постоянна връзка през годината е важно за диабетиците, за да предотвратят внезапното възникване на здравословни проблеми. - Взимайте лекарствата си според предписанията на вашия лекар, дори малки пропуски могат да повлияят на нивото на кръвната ви захар и може да причинят странични ефекти. Ако имате затруднения с запомнянето, попитайте вашия доктор за следене на лечението и начини за напомняне. - - - Здравето на по-възрастните диабетици е изложено на по-голям риск свързан с диабета. Моля свържете с вашия доктор и се информирайте, как възрастта влияе на диабета ви и за какво да внимавате. - Ограничете количеството сол, когато готвите и когато подправяте вече готовите ястия. - - Помощник - АКТУАЛИЗИРАЙ СЕГА - ДОБРЕ, РАЗБРАХ - ИЗПРАТИ ОТЗИВ - ДОБАВИ ПОКАЗАТЕЛ - Актуализиране на тегло - Актуализирайте теглото си, за да може Glucosio да разполага с най-точна информация. - Актуализиране на участието в проучването - Винаги може да изберете дали да участвате или да не участвате в споделянето на данни за проучването на диабета, но помнете, че всички споделени данни са изцяло анонимни. Ние споделяме само демографски данни и тенденции в нивото на кръвна захар. - Създай категории - В Glucosio са предложени готови категории за въвеждане на данни за кръвната захар, но можете да създадете собствени категории в настройките, за да отговарят на вашите уникални нужди. - Проверявайте често тук - Glucosio помощникът осигурява редовни съвети и ще продължи да се подобрява, така че винаги проверявай тук за полезни действия, които да подобрят вашата употреба на Glucosio и за други полезни съвети. - Изпрати отзив - Ако откриете някакви технически грешки или имате отзив за Glucosio ви насърчаваме да го изпратите в менюто \"Настройки\", за да ни помогнете да усъвършенстваме Glucosio. - Добави стойност - Не забравяйте редовно да добавяте показанията на кръвната ви захар, така ще можем да ви помогнем да проследите нивата с течение на времето. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Предпочитан диапазон - Потребителски диапазон - Минимална стойност - Максимална стойност - ИЗПРОБВАЙ СЕГА - diff --git a/app/src/main/res/android/values-bh-rIN/google-playstore-strings.xml b/app/src/main/res/android/values-bh-rIN/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-bh-rIN/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-bh-rIN/strings.xml b/app/src/main/res/android/values-bh-rIN/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-bh-rIN/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-bi-rVU/google-playstore-strings.xml b/app/src/main/res/android/values-bi-rVU/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-bi-rVU/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-bi-rVU/strings.xml b/app/src/main/res/android/values-bi-rVU/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-bi-rVU/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-bm-rML/google-playstore-strings.xml b/app/src/main/res/android/values-bm-rML/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-bm-rML/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-bm-rML/strings.xml b/app/src/main/res/android/values-bm-rML/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-bm-rML/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-bn-rBD/google-playstore-strings.xml b/app/src/main/res/android/values-bn-rBD/google-playstore-strings.xml deleted file mode 100644 index f631424a..00000000 --- a/app/src/main/res/android/values-bn-rBD/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - গ্লুকোসিও হল ডায়াবেটিসে আক্রান্ত ব্যাক্তিদের একটি ইউজার কেন্দ্রীক ফ্রি ও ওপেনসোর্স অ্যাপ। - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - অনুগ্রহ করে যেকোন বাগ, ইস্যু অথবা ফিচার অনুরোধের জন্য এখানে লিখুন: - https://github.com/glucosio/android - আরও বিস্তারিত: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-bn-rBD/strings.xml b/app/src/main/res/android/values-bn-rBD/strings.xml deleted file mode 100644 index 808b980b..00000000 --- a/app/src/main/res/android/values-bn-rBD/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - সেটিংস - ফিডব্যাক প্রেরণ করুন - সংক্ষিপ্ত বিবরণ - ইতিহাস - ইঙ্গিত - হ্যালো। - হ্যালো। - ব্যবহারের শর্তাবলী। - আমি ব্যবহারের শর্তাবলী পড়েছি এবং তা মেনে নিচ্ছি - গ্লুকোসিও ওয়েবসাইট এবং অ্যাপের কন্টেন্ট, যেমন লেখা, গ্রাফিক্স, ছবি এবং অন্যান্য উপকরণ (\"কন্টেন্ট\") শুধুমাত্র তথ্যভিত্তিক ব্যবহারের জন্য। এই কন্টেন্ট কোন পেশাদার মেডিক্যাল পরামর্শ, ডায়গোনসিস বা চিকিৎসার বিকল্প নয়। আমরা গ্লুকোসিও ব্যবহারকারীদের সবসময় উৎসাহিত করি যেকোন স্বাস্থ্যগত সমস্যায় একজন চিকিৎসক অথবা অন্য কোন পরীক্ষিত স্বাস্থ্যসেবা প্রদানকারীর পরামর্শ নিতে। গ্লুকোসিও ওয়েবসাইট বা অ্যাপে পড়েছেন এমন কিছুর জন্য কখনও পেশাদার চিকিৎসকের পরামর্শকে উপেক্ষা বা পরামর্শ নিতে দেরি করা উচিত নয়। গ্লুকোসিও ওয়েবসাইট, ব্লগ, উইকি এবং ওয়েব ব্রাউজারে পাওয়া যায় (\"ওয়েবসাইট\") শুধুমাত্র উপরের বর্ণিত উদ্দেশ্যেই ব্যবহারযোগ্য।\n গ্লুকোসিও, গ্লুকোসিও টিম মেম্বার, স্বেচ্ছাসেবক এবং এর ওয়েবসাইট বা অ্যাপে দেওয়া কোন তথ্যের উপর কেবলমাত্র আপনার নিজ দায়িত্বে ভরসা রাখবেন। সাইট এবং কন্টেন্ট \"পূর্বের অভিজ্ঞতার\" ভিত্তিতে প্রদান করা হয়। - শুরু করার আগে আমাদের শুধু দ্রুত কিছু জিনিস প্রয়োজন। - দেশ - বয়স - একটি বৈধ বয়স লিখুন। - লিঙ্গ - পুরুষ - মহিলা - অন্যান্য - ডায়াবেটিসের ধরণ - ১ নং ধরণ - ২ নং ধরণ - পছন্দের ইউনিট - গবেষণার জন্য বেনামী তথ্য শেয়ার করুন। - আপনি এগুলি সেটিংসে গিয়ে পরেও বদলাতে পারেন। - পরবর্তী - শুরু করুন - এখন পর্যন্ত কোন তথ্য নেই। \n আপনার রিডিং এখানে যোগ করুন। - রক্তে গ্লুকোজের মাত্রা যোগ করুন - ঘনত্ব - তারিখ - সময় - পরিমাপ - সকালে খাওয়ার আগে - সকালে খাওয়ার পরে - দুপুরে খাওয়ার আগে - দুপুরে খাওয়ার পরে - রাতে খাওয়ার আগে - রাতে খাওয়ার পরে - সাধারণ - পুনঃপরীক্ষা - রাত - অন্যান্য - বাতিল - যোগ - অনুগ্রহ করে একটি বৈধ মান প্রবেশ করান। - অনুগ্রহ করে সকল ফিল্ড ভরাট করুন। - মুছে ফেলুন - সম্পাদন - একটি তথ্য মুছে ফেলা হল - বাতিল করুন - সর্বশেষ পরীক্ষা: - গত মাস ধরে প্রবনতা: - পরিসীমার মধ্যে ও সুস্থ - মাস - দিন - সপ্তাহ - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - সম্পর্কে - সংস্করণ - ব্যবহারের শর্তাবলী। - ধরন - ওজন - কাস্টম পরিমাপ বিভাগ - - কার্বহাইড্রেট এবং সুগারের মাত্রা কমাতে, বেশি করে তাজা, অপ্রক্রিয়াজাত খাবার খান। - সুগার এবং কার্বহাইড্রেটের মাত্রা নিয়ন্ত্রণে রাখতে খাবার এবং পানীয়ের প্যাকেজের পুষ্টি সম্পর্কিত লেবেল পড়ুন। - যখন বাইরে খাবেন, বাড়তি মাখন বা তেল ছাড়া সিদ্ধ করা মাছ বা মাংস চান। - যখন বাইরে খাবেন, জিজ্ঞেস করুন তাদের কম সোডিয়ামযুক্ত খাবার পদ রয়েছে কিনা। - যখন বাইরে খাবেন, বাড়িতে যে পরিমান খাবার খান ঠিক সেই পরিমান খাবার খান, বাকী খাবার যাওয়ার সময় নিয়ে নিন। - যখন বাইরে খাবেন তাদের তালিকায় কম ক্যালোরির পদ মেনুতে না থাকলেও, এমন খাবার চেয়ে নিন, যেমন সালাদ ইত্যাদি। - যখন বাইরে খাবেন, খাবার বদল করতে বলুন। ফেঞ্চ ফ্রাইয়ের বদলে শাঁকসব্জি যেমন সালাদ, গ্রিন বিনস অথবা ব্রোকলি দ্বিগুণ পরিমানে অর্ডার করুন। - যখন বাইরে খাবেন, ভাঁজা-পোড়া নয় এমন খাবার অর্ডার করুন। - যখন বাইরে খাবেন \"সাথে\" সস, ঝোলজাতীয় এবং সালাদের কথা বলুন। - চিনিবিহীন মানে একেবারে চিনিমুক্ত নয়। এর অর্থ হল প্রতি পরিবেশনে 0.5 গ্রাম (g) চিনি থাকবে, তাই সতর্ক থাকুন যেমন খুব বেশি চিনিবিহীন আইটেম রাখা না হয়। - ব্লাড সুগার নিয়ন্ত্রণে রাখতে শরীরের সঠিক ওজন সাহায্য করে। আপনার চিকিৎসক, পরামর্শক এবং ফিটনেস প্রশিক্ষক আপনাকে এ উদ্দেশ্যে কাজ করতে পরিকল্পনায় সাহায্য করতে পারে। - ব্লাড লেভেল পরীক্ষা করে এবং তা দিনে দুইবার গ্লুকোসিও এর মত কোন অ্যাপে ট্র্যাক করে আপনার খাবার এবং জীবনধারনের পদ্ধতির ফলাফল সম্পর্কে আপনি জানতে পারবেন। - গত ২ বা ৩ মাসে আপনার রক্তে গড় চিনির পরিমাণ জানতে A1c রক্ত পরীক্ষা নিন। আপনার চিকিৎসক আপনাকে বলে দিবে কত ঘন ঘন আপনাকে এই পরীক্ষাটি করাতে হবে। - যেহেতু কার্বহাইড্রেট রক্তে গ্লুকোজের পরিমাণ প্রভাবিত করে তাই আপনি কি পরিমাণ কার্বোহাইড্রেট গ্রহণ করছেন তা ট্র্যাক করা রক্তে গ্লুকোনের মাত্রা পরীক্ষা করার মতনই গুরুত্বপূর্ণ। - রক্তচাপ, কোলেস্টেরল এবং ট্রাইগ্লিসারাইড লেভেল নিয়ন্ত্রণ গুরুত্বপূর্ণ কারন ডায়বেটিস হৃদরোগ ঘটাতে সক্ষম। - আপনার ডায়বেটিসের ফলাফল উন্নয়নের জন্য বিভিন্ন ডায়েট পদ্ধতি রয়েছে। আপনি আপনার পরামর্শক বা ডাক্তারের পরামর্শ নিন কোনটা আপনার জন্য আপনার বাজেটে ভালো হবে। - নিয়মিত ব্যয়াম বিশেষভাবে গুরুত্বপূর্ণ যাদের ডায়াবেটিস রয়েছে এবং এটি আপনাকে সঠিক ওজনে রাখতেও সাহায্য করে। আপনার জন্য সঠিক ব্যয়াম সম্পর্কে জানতে ডাক্তারের সাথে আলাপ করুন। - নির্ঘুম-বিষন্নতা আপনাকে বেশি খাবার বিশেষ করে জাংক ফুড গ্রহণ করতে উদ্বুদ্ধ করে এবং এর খারাপ ফলাফল আপনার স্বাস্থ্যের ক্ষতি করতে পারে। নিশ্চিত হোন আপনি যেন ভালো ঘুমাতে পারেন এবং যদি ঘুমাতে সমস্যা হয় বিশেষজ্ঞের পরামর্শ নিন। - মানসিক চাপ আপনার ডায়াবেটিসকে আরও খারাপের দিকে নিতে পারে। মানসিক চাপের সাথে কিভাবে মানিয়ে নিবেন সে বিষয়ে আপনার পরামর্শক বা ডাক্ত্রের পরামর্শ নিন। - স্বাস্থ্য সংক্রান্ত হঠাৎ যেকোন সমস্যা এড়াতে বছরজুড়ে ডাক্তারের সাথে যোগাযোগ রাখা জরুরী, অন্তত বছরে একবার ডাক্তারের কাজে যাওয়া উচিত। - আপনার ডাক্তারের পরামর্শ অনুযায়ী ঔষধ সেবন করুন। ঔষধে খুব সামান্য ভুলও আপনার রক্তে গ্লুকোজের মাত্রায় প্রভাব ফেলতে পারে এবং পার্শ্বপ্রতিক্রিয়া দেখা দিতে পারে। যদি সমস্যা হয় তাহলে আপনার ডাক্তারকে আপনার ঔষধ ব্যবস্থাপনা ও মনে করিয়ে দেওয়ার ব্যাপারে জিজ্ঞাসা করুন। - - - বয়স্ক ডায়বেটিস রোগীরা, ডায়াবেটস সংক্রান্ত স্বাস্থ্য সমস্যার জন্য বেশি ঝুকিপূর্ণ। আপনার ডাক্তারকে আপনার বয়স সম্পর্কে জানান এবং বয়সের সাথে সাথে কি করতে হবে এবং কি কি নজরে রাখতে হবে তা আলোচনা করুন। - খাবার রান্না করা এবং খাবারের সময় লবণের পরিমাণ সীমিত করুন। - - সহকারী - এখনই আপডেট করো - ঠিক আছে, বুঝতে পেরেছি - ফিডব্যাক জমা করুন - রিডিং সংযুক্ত করুন - আপনার নতুন ওজন দিন - অবশ্যই আপনার ওজন নিয়মিত হালনাগাদ করুন যেন গ্লুকোসিও সঠিক তথ্য পেতে পারে। - আপনার গবেষণা হালনাগাদে যোগ দিন - আপনি যেকোন সময়ে ডায়াবেটিস গবেষণার জন্য তথ্য প্রদানে অংশ নিতে বা তা থেকে বিরত থাকতে পারে, তবে মনে রাখবেন সকল ডাটা যা শেয়ার করা হচ্ছে তা বেনামে। আমরা কেবল মাত্র ডেমোগ্রাফি এবং গ্লুকোজ লেভেল ট্রেন্ড শেয়ার করে থাকি। - বিভাগ তৈরি করুন - গ্লুকোসিওতে কিছু ডিফল্ট বিষয়শ্রেণী থাকে আপনার গ্লুকোজ ইনপুট দেওয়ার জন্য তবে আপনি নিজেও আপনার সাথে মিল রেখে সেটিং থেকে নিজস্ব বিষয়শ্রেণী তৈরি করতে পারেন। - এখানে প্রায়ই পরীক্ষা করুন - গ্লুকোসিও সহযোগী নিয়মিত পরামর্শ প্রদান করে এবং প্রতিনিয়ত নিজেকে আরও ভালো করছে, তাই আপনার গ্লুকোসিও অভিজ্ঞতাকে আরও ভালো করতে এবং অন্যান্য আরও উপকারী পরামর্শ পেতে নিয়মিত এখানে দেখুন এবং কি করতে হবে জানুন। - ফিডব্যাক জমা করুন - যেকোন কারিগরি সমস্যায় বা যদি গ্লুকোসিও সম্পর্কে কোন ফিডব্যাক থাকে তাহলে গ্লুকোসিওকে আরও ভালো করতে সেটিং মেনু থেকে তা সাবমিট করুন। - পড়ায় যুক্ত করুন - অবশ্যই নিয়মিত আপনার গ্লুকোজের মাত্রা যোগ করবেন যেন আমরা আপনাকে আপনার গ্লুকোজের মাত্রা সময়ে সময়ে ট্র্যাক করতে সহযোগীতা করতে পারি। - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - পছন্দের পরিসীমা - স্বনির্ধারিত পরিসীমা - সর্বনিম্ন মান - সর্বোচ্চ মান - এখনই ব্যবহার করে দেখুন - diff --git a/app/src/main/res/android/values-bn-rIN/google-playstore-strings.xml b/app/src/main/res/android/values-bn-rIN/google-playstore-strings.xml deleted file mode 100644 index f631424a..00000000 --- a/app/src/main/res/android/values-bn-rIN/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - গ্লুকোসিও হল ডায়াবেটিসে আক্রান্ত ব্যাক্তিদের একটি ইউজার কেন্দ্রীক ফ্রি ও ওপেনসোর্স অ্যাপ। - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - অনুগ্রহ করে যেকোন বাগ, ইস্যু অথবা ফিচার অনুরোধের জন্য এখানে লিখুন: - https://github.com/glucosio/android - আরও বিস্তারিত: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-bn-rIN/strings.xml b/app/src/main/res/android/values-bn-rIN/strings.xml deleted file mode 100644 index 2cd31978..00000000 --- a/app/src/main/res/android/values-bn-rIN/strings.xml +++ /dev/null @@ -1,139 +0,0 @@ - - - - Glucosio - সেটিংস - মতামত পাঠান - সংক্ষিপ্ত বিবরণ - ইতিহাস - পরামর্শ - হ্যালো। - হ্যালো। - ব্যবহারের শর্তাবলী - আমি পাঠ করে এবং ব্যবহারের শর্তাবলী স্বীকার করি - গ্লুকোসিও ওয়েবসাইট এবং অ্যাপের কন্টেন্ট, যেমন লেখা, গ্রাফিক্স, ছবি এবং অন্যান্য উপকরণ (\"কন্টেন্ট\") শুধুমাত্র তথ্যভিত্তিক ব্যবহারের জন্য। এই কন্টেন্ট কোন পেশাদার মেডিক্যাল পরামর্শ, ডায়গোনসিস বা চিকিৎসার বিকল্প নয়। আমরা গ্লুকোসিও ব্যবহারকারীদের সবসময় উৎসাহিত করি যেকোন স্বাস্থ্যগত সমস্যায় একজন চিকিৎসক অথবা অন্য কোন পরীক্ষিত স্বাস্থ্যসেবা প্রদানকারীর পরামর্শ নিতে। গ্লুকোসিও ওয়েবসাইট বা অ্যাপে পড়েছেন এমন কিছুর জন্য কখনও পেশাদার চিকিৎসকের পরামর্শকে উপেক্ষা বা পরামর্শ নিতে দেরি করা উচিত নয়। গ্লুকোসিও ওয়েবসাইট, ব্লগ, উইকি এবং ওয়েব ব্রাউজারে পাওয়া যায় (\"ওয়েবসাইট\") শুধুমাত্র উপরের বর্ণিত উদ্দেশ্যেই ব্যবহারযোগ্য।\n গ্লুকোসিও, গ্লুকোসিও টিম মেম্বার, স্বেচ্ছাসেবক এবং এর ওয়েবসাইট বা অ্যাপে দেওয়া কোন তথ্যের উপর কেবলমাত্র আপনার নিজ দায়িত্বে ভরসা রাখবেন। সাইট এবং কন্টেন্ট \"পূর্বের অভিজ্ঞতার\" ভিত্তিতে প্রদান করা হয়। - আপনার শুরু করার আগে আমদের দ্রুত কিছু জিনিসের প্রয়োজন। - দেশ - বয়স - অনুগ্রহ করে সঠিক বয়স দিন। - লিঙ্গ - পুরুষ - নারী - অন্যান্য - ডায়াবেটিসের ধরন - ধরন 1 - ধরন 2 - পছন্দের ইউনিট - গবেষণা করার জন্য বেনামী তথ্য শেয়ার করুন। - আপনি পরে সেটিংসে এই পরিবর্তন করতে পারেন। - পরবর্তী - এবার শুরু করা যাক - এখন পর্যন্ত কোন তথ্য নেই। \n আপনার রিডিং এখানে যোগ করুন। - রক্তের গ্লুকোজ মাত্রা যোগ করুন - একাগ্রতা - তারিখ - সময় - মাপা হয়েছে - জলখাবারের আগে - জলখাবারের পর - দুপুরের খাবারের আগে - দুপুরের খাবারের পরে - রাতের খাবারের আগে - রাতের খাবারের পরে - সাধারণ - আবার পরীক্ষা করুন - রাত - অন্যান্য - বাতিল করুন - যোগ করুন - অনুগ্রহ করে একটি বৈধ মান দিন। - সব ক্ষেত্র পূরণ করুন। - মুছে দিন - সম্পাদনা করুন - 1 পাঠের মুছে ফেলা হয়েছে - পূর্বাবস্থায় যান - সর্বশেষ পরীক্ষা: - গত মাস ধরে প্রবণতা দেখা দিয়েছে: - পরিসীমা এবং সুস্থর মধ্যে - মাস - দিন - সপ্তাহ - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - সম্পর্কে - সংস্করণ - ব্যবহারের শর্তাবলী - প্রকার - ওজন - কাস্টম পরিমাপ বিভাগ - - আরো তাজা খান, অপ্রক্রিয়াজাত খাবার কার্বোহাইড্রেট এবং চিনি খাওয়া কমাতে সাহায্য করে। - প্যাক করা খাবার এবং পানীয়ের পুষ্টির মাত্রা পড়ুন চিনি এবং কার্বোহাইড্রেট খাওয়া নিয়ন্ত্রণ করতে। - যখন খাওয় দাওয়া করছেন, কোন অতিরিক্ত মাখন বা তেল দিয়ে ভাজা নয় মাছ বা মাংসের জন্য জিজ্ঞাসা করুন। - যখন খাওয় দাওয়া করছেন, তাদের কম সোডিয়াম জাত খাবার আছে কিনা জিজ্ঞাসা করুন। - যখন খাওয় দাওয়া করছেন, আপনি বাড়ীতে যে মাপে খান ঠিক সেই মাপে খান ও উচ্ছিষ্ট রেখে দিন। - - যখন খাওয় দাওয়া করছেন তখন কম ক্যালোরির জিনিসের জন্য অনুরোধ করবেন, যেমন স্যালাড, এমনকি তারা মেনুতে না থেকলেও। - যখন খাওয় দাওয়া করছেন বদল জন্য অনুরোধ করবেন। ফরাসি ফ্রাই -এর বদলে যালাড, সবুজ মটরশুটি বা ফুলকপির মত সবজির দ্বিগুণ অর্ডার অনুরোধ। - যখন খাওয় দাওয়া করছেন, সেই খাবারের অর্ডার করুন যা ভাজা বা পুরসহ ভাজা নয়। - যখন খাওয় দাওয়া করছেন, চাটনি, ঝোল এবং স্যালাড \"পাশে রাখুন\"। - চিনি নেই মানে সত্যিই চিনি নেই তা নয়। এটি হল 0.5 গ্রাম (g) শর্করা। তাই চিনি নেই এমন জিনিস ইচ্ছাপূরণের জন্য কম নেওয়ার সতর্কতা অবলম্বন করা আবশ্যক। - একটি স্বাস্থ্যকর ওজ রক্তের চিনির শর্করার পরিমান নিয়ন্ত্রণ করে। আপনার ডাক্তার, একটি পথ্যব্যবস্থাবিদ্যাবিদ, এবং একটি ফিটনেস প্রশিক্ষক আপনার জন্য কাজ করবে এমন একটি পরিকল্পনা শুরু করতে পারেন। - আপনার রক্তের মাত্রা Glucosio -র মত একটি অ্যাপ্লিকেশনে দিনে দুইবার পরীক্ষা করালে, যার ফলাফল আপনাকে সচেতন করতে সাহায্য করবে খাদ্য এবং জীবনধারা পছন্দ নিয়ে। - গত 2 বা 3 মাসের জন্য আপনার রক্তের গড় শর্করা খুঁজে বের করতে A1c রক্ত পরীক্ষা করুন। আপনার ডাক্তার আপনাকে জানাবে কত ঘন ঘন এই পরীক্ষা সঞ্চালিত করা প্রয়োজন। - কতগুলি শর্করা আপনি গ্রাস করতে পারেন তার অনুসরণ করা গুরুত্বপূর্ণ হতে পারে রক্তের মাত্রা চেক করার সময় কারন কার্বোহাইড্রেটের রক্তে গ্লুকোজের মাত্রাকে প্রভাবিত করে। আপনার ডাক্তার বা একটি পথ্যব্যবস্থাবিদ্যাবিদের কার্বোহাইড্রেট ভোজনের সম্পর্কে কথা বলুন। - - - রক্তচাপ, কলেস্টেরল, এবং ট্রাইগ্লিসারাইডের মাত্রা নিয়ন্ত্রণ গুরুত্বপূর্ণ, ডায়াবেটিকসের থেকে হৃদরোগ হওয়ার আশঙ্কা থাকে। - আপনার স্বাস্থ্যসম্মত ভাবে খাওয়ার জন্য ভিন্ন খাদ্যের পন্থা আছে ও আপনার ডায়াবেটিসের ফলাফলকে উন্নত করতে সাহায্য করে।আপনার এবং আপনার সাধ্যের মধ্যে ভাল হবে, তা নিয়ে একটি পথ্যব্যবস্থাবিদ্যাবিদের থেকে পরামর্শ নিন। - ডায়াবেটিসের জন্য বিশেষভাবে গুরুত্বপূর্ণ ব্যায়াম নিয়মিত করুন যা আপনাকে একটি স্বাস্থ্যকর ওজন বজায় রাখতে সাহায্য করতে পারে। আপনার জন্য উপযুক্ত ব্যায়াম সম্পর্কে জানতে আপনার ডাক্তারের সঙ্গে কথা বলুন। - ঘুম থেকে বঞ্চিত হলে, যা আপনাকে জাঙ্ক খাবারের মত আরো বিশেষ কিছু খাওয়াতে বাধ্য করে ও ফলে নেতিবাচকভাবে আপনার স্বাস্থ্য প্রভাবিত হতে পারে। রাত্রে ভালো ভাবে ঘুমান ও আপনি অসুবিধাতে ভুগলে একজন ঘুম বিশেষজ্ঞের সাথে পরামর্শ করেন। - চাপ ডায়াবেটিসের উপর নেতিবাচক প্রভাব ফেলতে পারে, আপনার ডাক্তারের সঙ্গে বা অন্যান্য পেশাদার স্বাস্থ্যসেবায় কথা বলুন চাপের সঙ্গে মোকাবেলা সম্পর্কে। - বছরে একবার আপনার ডাক্তারের কাছে যান ও সারা বছর নিয়মিত যোগাযোগ রাখা ডায়াবেটিকসের সাথে যুক্ত স্বাস্থ্য সমস্যার কোনো আকস্মিক সূত্রপাতকে প্রতিরোধ করার জন্য গুরুত্বপূর্ণ। - আপনার ডাক্তার দ্বারা নির্ধারিত হিসাবে আপনার ঔষধ নিন এমনকি আপনার ঔষধে ছোট ত্রুটি বিচ্যুতি আপনার রক্তে শর্করার মাত্রা প্রভাবিত করতে পারে। অসুবিধা মনে হলে আপনার ডাক্তারকে মনে করে জিজ্ঞাসা করবেন ঔষধ ব্যবস্থাপনা এবং অনুস্মারক বিকল্প সম্পর্কে। - - - পুরাতন ডায়াবেটিকস, ডায়াবেটিসের সঙ্গে যুক্ত স্বাস্থ্য সমস্যার জন্য উচ্চতর ঝুঁকি হতে পারে। সে বিষয়ে আপনার ডাক্তারের সঙ্গে কথা বলুন আপনার ডায়াবেটিসে কিভবে আপনার বয়স একটি ভূমিকা পালন করে এবং কি দেখতে হতে পারে। - আপনি খাবার রান্না করা সময় ও রান্না করা খাবারে লবণের ব্যবহার কম করুন। - - সহকারী - এখন আপডেট করুন - ঠিক আছে, বুঝেছি - ফিডব্যাক জমা করুন - পড়া যোগ করুন - আপনার ওজন আপডেট করুন - অবশ্যই আপনার ওজন নিয়মিত হালনাগাদ করুন যেন গ্লুকোসিও সঠিক তথ্য পেতে পারে। - আপনার গবেষণা হালনাগাদে যোগ দিন - আপনি যেকোন সময়ে ডায়াবেটিস গবেষণার জন্য তথ্য প্রদানে অংশ নিতে বা তা থেকে বিরত থাকতে পারে, তবে মনে রাখবেন সকল ডাটা যা শেয়ার করা হচ্ছে তা বেনামে। আমরা কেবল মাত্র ডেমোগ্রাফি এবং গ্লুকোজ লেভেল ট্রেন্ড শেয়ার করে থাকি। - বিভাগ তৈরি করুন - গ্লুকোসিওতে কিছু ডিফল্ট বিষয়শ্রেণী থাকে আপনার গ্লুকোজ ইনপুট দেওয়ার জন্য তবে আপনি নিজেও আপনার সাথে মিল রেখে সেটিং থেকে নিজস্ব বিষয়শ্রেণী তৈরি করতে পারেন। - এখানে প্রায়ই পরীক্ষা করুন - গ্লুকোসিও সহযোগী নিয়মিত পরামর্শ প্রদান করে এবং প্রতিনিয়ত নিজেকে আরও ভালো করছে, তাই আপনার গ্লুকোসিও অভিজ্ঞতাকে আরও ভালো করতে এবং অন্যান্য আরও উপকারী পরামর্শ পেতে নিয়মিত এখানে দেখুন এবং কি করতে হবে জানুন। - ফিডব্যাক জমা করুন - যেকোন কারিগরি সমস্যায় বা যদি গ্লুকোসিও সম্পর্কে কোন ফিডব্যাক থাকে তাহলে গ্লুকোসিওকে আরও ভালো করতে সেটিং মেনু থেকে তা সাবমিট করুন। - পড়া যোগ করুন - অবশ্যই নিয়মিত আপনার গ্লুকোজের মাত্রা যোগ করবেন যেন আমরা আপনাকে আপনার গ্লুকোজের মাত্রা সময়ে সময়ে ট্র্যাক করতে সহযোগীতা করতে পারি। - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - পছন্দের পরিসীমা - স্বনির্ধারিত পরিসীমা - সর্বনিম্ন মান - সর্বোচ্চ মান - এখনই ব্যবহার করে দেখুন - diff --git a/app/src/main/res/android/values-bo-rBT/google-playstore-strings.xml b/app/src/main/res/android/values-bo-rBT/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-bo-rBT/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-bo-rBT/strings.xml b/app/src/main/res/android/values-bo-rBT/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-bo-rBT/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-br-rFR/google-playstore-strings.xml b/app/src/main/res/android/values-br-rFR/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-br-rFR/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-br-rFR/strings.xml b/app/src/main/res/android/values-br-rFR/strings.xml deleted file mode 100644 index 9cd2421a..00000000 --- a/app/src/main/res/android/values-br-rFR/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Arventennoù - Send feedback - Alberz - Istorel - Tunioù - Demat. - Demat. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - Ezhomm hon eus traoù bennak a-raok kregiñ. - Country - Oad - Bizskrivit un oad talvoudek mar plij. - Rev - Gwaz - Maouez - All - Diabetoù seurt - Seurt 1 - Seurt 2 - Unanenn muiañ plijet - Rannañ roadennoù dizanv evit an enklask. - Gallout a rit kemmañ an dra-se diwezhatoc\'h. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Ouzhpenn ul Live Gwad Glukoz - Dizourañ - Deiziad - Eur - Muzulet - A-raok dijuniñ - Goude dijuniñ - A-raok merenn - Goude merenn - A-raok pred - Goude pred - General - Recheck - Night - Other - NULLAÑ - OUZHPENN - Please enter a valid value. - Leunit ar maezioù mar plij. - Dilemel - Embann - 1 lenn dilezet - DIZOBER - Gwiriadur diwezhañ: - Feur tremenet ar miz paseet: - en reizh an yec\'hed - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-bs-rBA/google-playstore-strings.xml b/app/src/main/res/android/values-bs-rBA/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-bs-rBA/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-bs-rBA/strings.xml b/app/src/main/res/android/values-bs-rBA/strings.xml deleted file mode 100644 index 55c1f2ed..00000000 --- a/app/src/main/res/android/values-bs-rBA/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Postavke - Pošaljite povratnu informaciju - Pregled - Historija - Savjeti - Zdravo. - Zdravo. - Uvjeti korištenja. - Pročitao/la sam i prihvatam uvjete korištenja - Sadržaj Glucosio web stranice i aplikacije, kao što su tekst, grafika, slike i drugi materijali (\"sadržaj\") služe za informisanje. Sadržaj nije namijenjen kao zamjena za profesionalni medicinski savjet, dijagnozu ili liječenje. Preporučujemo Glucosio korisnicima da uvijek traže savjet od svog liječnika ili drugih kvalifikovanih zdravstvenih radnika kada je riječ o njihovom zdravlju. Nikada nemojte zanemariti profesionalni medicinski savjet ili oklijevati u traženju savjeta zbog nečega što ste pročitali na Glucosio web stranici ili našim aplikacijama. Glucosio web stranica, blog, wiki i ostali na webu dostupan sadržaj (\"web stranice\") treba koristiti samo za svrhe za koje je navedeno. \n Oslanjanje na bilo koje informacije koje dostavlja Glucosio, članovi Glucosio tima, volonteri ili druga lica koja se pojavljuju na web stranici ili u našim aplikacijama je isključivo na vlastitu odgovornost. Stranice i sadržaj su omogućeni na osnovi \"Kakav jest\". - Potrebno nam je par brzih stvari prije nego što započnete. - Država - Dob - Molimo unesite valjanu dob. - Spol - Muški - Ženski - Drugo - Tip dijabetesa - Tip 1 - Tip 2 - Preferirana jedinica - Podijeli anonimne podatke zarad istraživanja. - Ove postavke možete promijeniti kasnije. - DALJE - ZAPOČNITE - Nema informacija.\nDodajte svoje prvo očitavanje ovdje. - Dodajte nivo glukoze u krvi - Koncentracija - Datum - Vrijeme - Izmjereno - Prije doručka - Nakon doručka - Prije ručka - Nakon ručka - Prije večere - Nakon večere - Opće - Ponovo provjeri - Noć - Ostalo - OTKAŽI - DODAJ - Molimo da unesete valjanu vrijednost. - Molimo da popunite sva polja. - Obriši - Uredi - 1 čitanje obrisano - PONIŠTI - Zadnja provjera: - Trend u proteklih mjesec dana: - u granicama i zdrav - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - O programu - Verzija - Uvjeti korištenja - Tip - Weight - Zasebna kategorija mjerenja - - Jedite više svježe neprocesirane hrane da biste smanjili unos ugljikohidrata i šećera. - Pročitajte nutritivnu tablicu na ambalaži hrane i pića da biste kontrolisali unos ugljikohidrata i šećera. - Kada jedete vani, tražite ribu ili meso kuhano bez dodatnog putera ili ulja. - Kada jedete vani, tražite jela sa niskim nivoom natrija. - Kada jedete vani, jedite istu porciju kao što biste i kod kuće, ostatke hrane ponesite. - Kada jedete vani tražite niskokaloričnu hranu, poput dresinga za salatu, čak i ako nisu na jelovniku. - Kada jedete vani tražite zamjenu. Umjesto pomfrita tražite duplu porciju povrća poput salate, mahuna ili brokula. - Kada jedete vani, tražite hranu koja nije pohovana ili pržena. - Kada jedete vani tražite soseve, umake i dresinge za salatu \"sa strane.\" - Bez šećera ne znači doslovno bez šećera. To znaći 0,5 grama (g) šećera po porciji, pa se nemojte previše upuštati u hranu bez šećera. - Kretanje ka zdravoj težini pomaže kontrolisanje šećera u krvi. Vaš doktor, dijetetičar ili fitness trener mogu vam pomoći da započnete sa zdravom ishranom. - Provjeravanje vašeg nivoa krvi i praćenje u aplikaciji poput Glucosia dvaput dnevno će vam pomoći da budete svjesni ishoda vaših izbora hrane i načina života. - Uradite A1c nalaz krvi da saznate prosjek vašeg šećera u krvi u zadnja 2 do 3 mjeseca. Vaš doktor bi vam trebao reći koliko često će ovaj test biti potrebno raditi. - Praćenje koliko ugljikohidrata konzumirate može biti podjednako važno kao provjeravanje nivoa u krvi jer ugljikohidrati utiču na nivo glukoze u krvi. Porazgovarajte s vašim doktorom ili dijetetičarom o unosu ugljikohidrata. - Kontrolisanje krvnog pritiska, holesterola i triglicerida je važno jer su dijebetičari podložni oboljenjima srca. - Postoji nekoliko pristupa prehrani da biste jeli zdravije te poboljšali vaše stanje dijabetesa. Tražite savjet dijetetičara šta bi bilo najdjelotvornije za vas i vaš budžet. - Redovna tjelovježba je posebno važna za ljude s dijabetesom jer vam pomaže da održite tjelesnu težinu. Porazgovarajte s vašim doktorom o vježbama koje su prikladne za vas. - Nedostatak sna vas može navesti da jedete više, pogotovo nezdrave hrane i tako negativno uticati na vaše zdravlje. Pobrinite se da se dobro naspavate i konsultujte se sa specijalistom za san ukoliko imate poteškoća. - Stres može imati negativan uticaj na dijabetes te stoga porazgovarajte s vašim doktorom ili drugim stručnim licem o suočavanju sa stresom. - Posjećivanje vašeg doktora jedanput godišnje i redovna komunikacija tokom godine je veoma važna za dijabetičare da bi spriječili iznenadnu pojavu povezanih zdravstvenih problema. - Vaše lijekove uzimajte kako su vam je doktor propisao, a čak i najmanji propust može uticati na nivo glukoze u vašoj krvi i uzrokovati druge nuspojave. Ukoliko imate problema da se sjetite uzeti lijek, obavezno o tome porazgovarajte sa doktorom. - - - Stariji dijabetičari mogu imati veći rizik za druge zdravstvene probleme povezane s dijabetesom. Porazgovarajte s vašim doktorom o tome kako vaša dob utiče na vaš dijabetes. - Ograničite količinu soli koju koristite za pripremanje hrane i koju dodajete u jela nakon što su skuhana. - - Asistent - AŽURIRAJ - OK, HVALA - POŠALJI POVRATNU INFORMACIJU - DODAJ OČITAVANJE - Ažurirajte vašu težinu - Pobrinite se da ažurirate vašu težinu kako bi Glucosio imao najtačnije informacije. - Ažurirajte vaše opt-in istraživanje - Uvijek možete opt-in ili opt-out dijeljenje istraživanja dijabetesa, ali zapamtite da su svi podijeljeni podaci anonimni. Dijelimo samo demografske i trendove nivoa glukoze. - Kreiraj kategorije - Glucosio dolazi sa izvornim kategorijama za unos glukoze ali vi u postavkama možete kreirati zasebne kategorije koje odgovaraju vašim potrebama. - Često provjerite ovdje - Glucosio asistent pruža redovne savjete i nastavit će se unapređivati, stoga često provjerite ovdje za korisne akcije koje možete poduzeti da poboljšanje svog Glucosio doživljaja te druge korisne savjete. - Pošalji povratne informacije - Ukoliko naiđete na tehničke probleme ili imate druge povratne informacije o Glucosiu, molimo vas da ih pošaljete putem menija za postavke kako bismo unaprijedili Glucosio. - Dodaj očitavanje - Pobrinite se da redovno dodajete svoja očitavanja glukoze kako bismo vam pomogli da pratite vaše nivoe glukoze tokom vremena. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-ca-rES/google-playstore-strings.xml b/app/src/main/res/android/values-ca-rES/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-ca-rES/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-ca-rES/strings.xml b/app/src/main/res/android/values-ca-rES/strings.xml deleted file mode 100644 index c35923d9..00000000 --- a/app/src/main/res/android/values-ca-rES/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Configuració - Envieu comentaris - Informació general - Historial - Consells - Hola. - Hola. - Condicions d\'ús. - He llegit i accepto les condicions d\'ús - Els continguts de l\'aplicació i pàgina web de Glucosio, tal com el text, gràfics, imatges, i altre material (\"Contingut\") són només amb finalitats informatives. El contingut no pretén ser un substitutiu pels consells, diagnòstics o tractaments mèdics professionals. Animem als usuaris de Glucosio a seguir sempre les recomanacions del seu metge o altre assistent sanitari amb qualsevol consulta que puguin tenir relacionada amb la seva condició mèdica. Mai s\'han de desatendre o retardar les recomanacions mèdiques per haver llegit alguna cosa a la pàgina web de Glucosio a a les nostres aplicacions. El lloc web, blog i wiki de Glucosio i altre contingut accessible des del navegador (\"Lloc web\") s\'hauria d\'utilitzar únicament amb la finalitat descrita anteriorment.\n La confiança dipositada en qualsevol informació proporcionada per Glucosio, els membres de l\'equip de Glucosio, voluntaris i altres que apareixen al lloc web o a les nostres aplicacions queda baix el seu propi risc. El lloc i el contingut es proporcionen sobre una base \"tal qual\". - Només necessitem unes quantes coses abans de començar. - País - Edat - Si us plau, introdueix una data vàlida. - Gènere - Home - Dona - Altre - Tipus de diabetis - Tipus 1 - Tipus 2 - Unitat preferida - Compartiu dades anònimes per a la recerca. - Podeu canviar-ho més tard a les preferències. - SEGÜENT - COMENÇA - Encara no hi ha informació disponible.\n Afegiu aquí la vostra primera lectura. - Afegeix nivell de glucosa a la sang - Concentració - Data - Hora - Mesurat - Abans de l\'esmorzar - Després de l\'esmorzar - Abans del dinar - Després del dinar - Abans del sopar - Després del sopar - General - Torna a comprovar - Nocturn - Altre - CANCEL·LA - AFEGEIX - Si us plau, introduïu un valor vàlid. - Si us plau, empleneu tots els camps. - Suprimeix - Edita - S\'ha suprimit 1 lectura - DESFÉS - Darrera verificació: - Tendència del més passat: - dins el rang i saludable - Mes - Dia - Setmana - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - En quant a - Versió - Condicions d\'ús - Tipus - Pes - Categoria de mesura personalitzada - - Mengeu més aliments frescos i sense processar per ajudar a reduir la ingesta de carbohidrats i sucre. - Llegiu l\'etiqueta nutricional a les begudes i aliments envasats per a controlar la ingesta de sucre i carbohidrats. - En sortir a menjar, demaneu per carn o peix cuinada sense oli o mantega extra. - En sortir a menjar, demaneu si tenen plats baixos en sodi. - En sortir a menjar, mengeu porcions semblants a les que prendríeu a casa i demaneu les sobres per emportar. - En sortir a menjar, demaneu per elements baixos en calories com el guarniment per a amanides, fins i tot si no estan al menú. - En sortir a menjar, demaneu per substitucions. Enlloc de patates fregides, demaneu una comanda adicional de vegetals com amanida, mongetes verdes o bròquil. - En sortir a menjar, comaneu aliments que no siguin arrebossats o fregits. - En sortir a menjar, demaneu que us serveixin per separat les salses i guarnicions. - Sense sucre no significa realment sense sucre. Significa 0,5 grams (g) de sucre per ració, així que aneu amb compte de no comptar massa amb els elements sense sucre. - Avançar cap a un pes saludable ajuda a controlar els nivell de sucre. El vostre doctor, nutricionista o entrenador pot ajudar-vos en un pla que funcioni per a vosaltres. - Comprovar el vostre nivell de sang i fer-ne el seguiment amb una aplicació com Glucosio dues vegades diàries us ajudarà a tenir en compte els resultats de les eleccions de menjar i de l\'estil de vida. - Aconseguiu anàlisi de sang del tipus A1c per esbrinar la vostra mitja de sucre a la sang pels darrers 2 a 3 mesos. El vostre doctor us hauria d\'informar sobre la freqüència en que aquests anàlisi s\'han de realitzar. - Fer el seguiment de la quantitat de carbohidrats que consumiu pot ser tan important com comprovar els nivells de sang, ja que els carbohidrats influeixen sobre els nivells de glucosa. Xerreu amb els vostre doctor o nutricionista sobre la ingesta de carbohidrats. - És important controlar la pressió de la sang, el colesterol i el nivell de triglicèrids ja que els diabètics tenen tendència a malalties cardíaques. - Podeu avaluar diferents enfocaments cap a la vostra dieta per menjar més sa i ajudar a millorar els resultats de la diabetis. Demaneu consell al vostre nutricionista sobre el que pot anar millor per a vosaltres i el vostre pressupost. - Treballar en fer exercici regularment és especialment important amb la gent amb diabetis i pot ajudar a mantenir un pes saludable. Xerreu amb el vostre doctor sobre les exercicis que són apropiats per a vosaltres. - La falta de son us pot fer menjar més, especialment menjar escombraria i el resultat pot impactar negativament a la vostra salut. Assegurau-vos de dormir bé i consulteu un especialista de la son si teniu dificultats. - L\'estrès pot impactar negativament en la diabetis, xerreu amb el vostre doctor o especialista sobre fer front a l\'estrès. - Visitar el vostre doctor anualment i tenir una comunicació habitual durant l\'any és important per prevenir cap canvi sobtat en la salut dels diabètics. - Preneu els vostres medicaments seguint la prescripció del vostre doctor, fins i tot petits lapses poden afectar al vostre nivell de glucosa a la sang i causar altres efectes secundaris. Si teniu dificultats de memòria demaneu al vostre doctor per gestió de medicació i opcions de recordatoris. - - - Els diabètics grans poden tenir un risc major de problemes de salut associats amb la diabetis. Consulteu amb el vostre doctor sobre l\'efecte de l\'edat en la vostra diabetis i quines coses s\'han de tenir en compte. - Limiteu la quantitat de sal que utilitzeu per cuinar i la que afegiu a aliments ja cuinats. - - Assistent - ACTUALITZA ARA - D\'ACORD, HO ENTENC - ENVIA COMENTARIS - AFEGEIX LECTURA - Actualitzeu el vostre pes - Assegureu-vos d\'actualitzar el vostre pes per tal que Glucosio disposi de l\'informació més precisa. - Opció d\'actualització de la recerca - Sempre podeu triar entre optar o no per la compartició de la recerca de la diabetis, però recordeu que totes les dades es comparteixen de manera completament anònima. Només es comparteix la demografia i les tendències de nivell de glucosa. - Crea categories - El Glucosio ve amb categories predeterminades per entrada de glucosa però podeu crear categories personalitzades dins la configuració per ajustar-ho a les vostres necessitats particulars. - Comprova sovint aquí - L\'assistent de Glucosio proporciona consells regulars i continuarà millorant, així que comproveu sempre aquí els passos que podeu prendre per millorar l\'experiència de Glucosio i altres consells útils. - Envia comentari - Si trobeu incidències tècniques o teniu comentaris sobre Glucosio us animem a enviar-ho des del menú de configuració per tal d\'ajudar-nos a millorar Glucosio. - Afegeix una lectura - Assegureu-vos d\'afegir regularment les vostres lectures de glucosa per tal que puguem ajudar-vos a fer un seguiment dels vostres nivells de glucosa al llarg del temps. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Rang preferit - Rang personalitzat - Valor mínim - Valor màxim - PROVEU-HO ARA - diff --git a/app/src/main/res/android/values-ce-rCE/google-playstore-strings.xml b/app/src/main/res/android/values-ce-rCE/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-ce-rCE/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-ce-rCE/strings.xml b/app/src/main/res/android/values-ce-rCE/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-ce-rCE/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-ceb-rPH/google-playstore-strings.xml b/app/src/main/res/android/values-ceb-rPH/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-ceb-rPH/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-ceb-rPH/strings.xml b/app/src/main/res/android/values-ceb-rPH/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-ceb-rPH/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-ch-rGU/google-playstore-strings.xml b/app/src/main/res/android/values-ch-rGU/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-ch-rGU/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-ch-rGU/strings.xml b/app/src/main/res/android/values-ch-rGU/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-ch-rGU/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-chr-rUS/google-playstore-strings.xml b/app/src/main/res/android/values-chr-rUS/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-chr-rUS/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-chr-rUS/strings.xml b/app/src/main/res/android/values-chr-rUS/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-chr-rUS/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-ckb-rIR/google-playstore-strings.xml b/app/src/main/res/android/values-ckb-rIR/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-ckb-rIR/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-ckb-rIR/strings.xml b/app/src/main/res/android/values-ckb-rIR/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-ckb-rIR/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-co-rFR/google-playstore-strings.xml b/app/src/main/res/android/values-co-rFR/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-co-rFR/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-co-rFR/strings.xml b/app/src/main/res/android/values-co-rFR/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-co-rFR/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-cr-rNT/google-playstore-strings.xml b/app/src/main/res/android/values-cr-rNT/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-cr-rNT/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-cr-rNT/strings.xml b/app/src/main/res/android/values-cr-rNT/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-cr-rNT/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-crs-rSC/google-playstore-strings.xml b/app/src/main/res/android/values-crs-rSC/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-crs-rSC/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-crs-rSC/strings.xml b/app/src/main/res/android/values-crs-rSC/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-crs-rSC/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-cs-rCZ/google-playstore-strings.xml b/app/src/main/res/android/values-cs-rCZ/google-playstore-strings.xml deleted file mode 100644 index 46c1539a..00000000 --- a/app/src/main/res/android/values-cs-rCZ/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Jakékoliv chyby, problémy nebo požadavky nám oznamujte na: - https://github.com/glucosio/android - Další informace: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-cs-rCZ/strings.xml b/app/src/main/res/android/values-cs-rCZ/strings.xml deleted file mode 100644 index e1095a5e..00000000 --- a/app/src/main/res/android/values-cs-rCZ/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Možnosti - Odeslat zpětnou vazbu - Přehled - Historie - Tipy - Ahoj. - Ahoj. - Podmínky užívání. - Přečetl jsem si a souhlasím s výše uvedenými Podmínkami užívání - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - Ještě než začneme, chtěli bychom vědět pár věcí. - Země - Věk - Zadejte, prosím, platný věk. - Pohlaví - Muž - Žena - Jiné - Typ cukrovky - Typ 1 - Typ 2 - Preferovaná jednotka - Sdílet anonymní data pro výzkum. - Tato nastavení můžete později změnit v kartě nastavení. - DALŠÍ - ZAČÍNÁME - Zatím nejsou k dispozici žádné informace. \n Přidejte zde váš první záznam. - Přidat hladinu glukózy v krvi - Koncentrace - Datum - Čas - Naměřeno - Před snídaní - Po snídani - Před obědem - Po obědě - Před večeří - Po večeři - Obecné - Znovu zkontrolovat - Noc - Ostatní - ZRUŠIT - PŘIDAT - Prosím, zadejte platnou hodnotu. - Vyplňte, prosím, všechna pole. - Odstranit - Upravit - odstraněn 1 záznam - ZPĚT - Poslední kontrola: - Trend za poslední měsíc: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - O programu - Verze - Podmínky užívání - Typ - Váha - Vlastní kategorie měření - - Jezte více čerstvých, nezpracovaných potravin, pomůžete tak snížit příjem sacharidů a cukrů. - Přečtěte nutriční hodnoty na balených potravinách a nápojích pro kontrolu příjmu sacharidů a cukrů. - Při stravování mimo domov žádejte o ryby nebo maso pečené bez přidaného másla nebo oleje. - Při stravování mimo domov se zeptejte, zda podávají jídla s nízkým obsahem sodíku. - Při stravování mimo domov jezte stejně velké porce, jako byste jedli doma, zbytky si vezměte s sebou. - Při stravování mimo domov požádejte o nízkokalorická jídla, například salátové dresinky, i v případě, že nejsou v nabídce. - Při stravování mimo domov žádejte o náhrady. Místo hranolků požádejte dvojitou porci zeleniny, jako je salát, zelené fazolky nebo brokolice. - Při stravování mimo domov si objednávejte jídla, která nejsou obalovaná nebo smažená. - Při stravování mimo domov požádejte o omáčky a salátové dresinky \"bokem.\" - \"Bez cukru\" opravdu neznamená bez cukru. To znamená 0,5 gramů (g) cukru na jednu porci, dejte si tedy pozor, abyste nekonzumovali tolik jídel \"bez cukru\". - Zdravá tělesná váha pomáhá držet krevní cukr pod kontrolou. Váš lékař, dietolog nebo fitness trenér vám může pomoci vytvořit plán, který vám s udržením nebo snížením tělesné váhy pomůže. - Kontrola a sledování hladiny krevního tlaku dvakrát denně v aplikaci jako je Glucosio vám pomůže znát výsledky z volby stravování a životního stylu. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Kontroly krevního tlaku, hladiny cholesterolu a hladiny triglyceridů, jsou důležité, neboť diabetici jsou náchylní k srdečním onemocněním. - Existuje několik typů diet, které můžete zvolit proto, abyste jedli zdravě a zároveň zlepšili výsledky cukrovky. Vyhledejte dietologa pro radu o nejvhodnější dietě pro vás a váš rozpočet. - Pravidelné cvičení je důležité zejména pro lidi trpící cukrovkou a může pomoci udržet si zdravou váhu. Poraďte se se svým lékařem o tom, která cvičení pro vás mohou být vhodná. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stres může mít na cukrovku negativní dopad, zvládání stresu můžete konzultovat s Vaším lékařem nebo jiným specialistou. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Starší diabetici mohou být více náchylní k onemocněním spojeným s cukrovkou. Konzultujte s vaším doktorem, jak velkou hraje váš věk roli s cukrovkou a na co si dát pozor. - Omezte množství soli, kterou používáte při vaření, a kterou přidáváte do jídel poté, co se jídla uvařila. - - Asistent - AKTUALIZOVAT NYNÍ - OK, ROZUMÍM - ODESLAT ZPĚTNOU VAZBU - PŘIDAT MĚŘENÍ - Aktualizujte vaši hmotnost - Ujistěte se, aby byla vaše váha vždy aktuální tak, aby mělo Glucosio co nejpřesnější informace. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Vytvořit kategorie - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Kontrolujte často - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Odeslat zpětnou vazbu - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Přidat měření - Ujistěte se, aby jste pravidelně přidávali hodnoty hladiny glykémie tak, abychom vám mohli pomoci průběžně sledovat hladiny glukózy. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Upřednostňovaný rozsah - Vlastní rozsah - Minimální hodnota - Nejvyšší hodnota - TRY IT NOW - diff --git a/app/src/main/res/android/values-csb-rPL/google-playstore-strings.xml b/app/src/main/res/android/values-csb-rPL/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-csb-rPL/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-csb-rPL/strings.xml b/app/src/main/res/android/values-csb-rPL/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-csb-rPL/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-cv-rCU/google-playstore-strings.xml b/app/src/main/res/android/values-cv-rCU/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-cv-rCU/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-cv-rCU/strings.xml b/app/src/main/res/android/values-cv-rCU/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-cv-rCU/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-cy-rGB/google-playstore-strings.xml b/app/src/main/res/android/values-cy-rGB/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-cy-rGB/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-cy-rGB/strings.xml b/app/src/main/res/android/values-cy-rGB/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-cy-rGB/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-da-rDK/google-playstore-strings.xml b/app/src/main/res/android/values-da-rDK/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-da-rDK/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-da-rDK/strings.xml b/app/src/main/res/android/values-da-rDK/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-da-rDK/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-de-rDE/google-playstore-strings.xml b/app/src/main/res/android/values-de-rDE/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-de-rDE/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-de-rDE/strings.xml b/app/src/main/res/android/values-de-rDE/strings.xml deleted file mode 100644 index a24053ae..00000000 --- a/app/src/main/res/android/values-de-rDE/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Einstellungen - Send feedback - Übersicht - Verlauf - Tipps - Hallo. - Hallo. - Nutzungsbedingungen. - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - Wir brauchen nur noch einige Dinge bevor Sie loslegen können. - Land - Alter - Bitte geben Sie ein gültiges Alter ein. - Geschlecht - Männlich - Weiblich - Sonstiges - Diabetes Typ - Typ 1 - Typ 2 - Bevorzugte Einheit - Anonyme Daten für die Forschung teilen. - Sie können dies später in den Einstellungen ändern. - NÄCHSTE - LOSLEGEN - No info available yet. \n Add your first reading here. - Blutzuckerspiegel hinzufügen - Konzentration - Datum - Zeit - Gemessen - Vor dem Frühstück - Nach dem Frühstück - Vor dem Mittagessen - Nach dem Mittagessen - Vor dem Abendessen - Nach dem Abendessen - Allgemein - Recheck - Nacht - Other - ABBRECHEN - HINZUFÜGEN - Please enter a valid value. - Bitte alle Felder ausfüllen. - Löschen - Bearbeiten - 1 Messwert gelöscht - RÜCKGÄNGIG - Zuletzt geprüft: - Trend in letzten Monat: - im normalen Bereich und gesund - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - Über - Version - Nutzungsbedingungen - Typ - Weight - Custom measurement category - - Essen Sie mehr frische, unverarbeitete Lebensmittel um Aufnahme von Kohlenhydraten und Zucker zu reduzieren. - Lesen Sie das ernährungsphysiologische Etikett auf verpackten Lebensmitteln und Getränken, um Zucker- und Kohlenhydrataufnahme zu kontrollieren. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-dsb-rDE/google-playstore-strings.xml b/app/src/main/res/android/values-dsb-rDE/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-dsb-rDE/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-dsb-rDE/strings.xml b/app/src/main/res/android/values-dsb-rDE/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-dsb-rDE/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-dv-rMV/google-playstore-strings.xml b/app/src/main/res/android/values-dv-rMV/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-dv-rMV/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-dv-rMV/strings.xml b/app/src/main/res/android/values-dv-rMV/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-dv-rMV/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-dz-rBT/google-playstore-strings.xml b/app/src/main/res/android/values-dz-rBT/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-dz-rBT/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-dz-rBT/strings.xml b/app/src/main/res/android/values-dz-rBT/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-dz-rBT/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-ee-rGH/google-playstore-strings.xml b/app/src/main/res/android/values-ee-rGH/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-ee-rGH/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-ee-rGH/strings.xml b/app/src/main/res/android/values-ee-rGH/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-ee-rGH/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-el-rGR/google-playstore-strings.xml b/app/src/main/res/android/values-el-rGR/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-el-rGR/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-el-rGR/strings.xml b/app/src/main/res/android/values-el-rGR/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-el-rGR/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-en-rGB/google-playstore-strings.xml b/app/src/main/res/android/values-en-rGB/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-en-rGB/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-en-rGB/strings.xml b/app/src/main/res/android/values-en-rGB/strings.xml deleted file mode 100644 index 6147218d..00000000 --- a/app/src/main/res/android/values-en-rGB/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use. - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat grilled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers in a doggy bag. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of chips, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-en-rUS/google-playstore-strings.xml b/app/src/main/res/android/values-en-rUS/google-playstore-strings.xml deleted file mode 100644 index f16c1cfc..00000000 --- a/app/src/main/res/android/values-en-rUS/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose tends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-en-rUS/strings.xml b/app/src/main/res/android/values-en-rUS/strings.xml deleted file mode 100644 index bb050868..00000000 --- a/app/src/main/res/android/values-en-rUS/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-eo-rUY/google-playstore-strings.xml b/app/src/main/res/android/values-eo-rUY/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-eo-rUY/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-eo-rUY/strings.xml b/app/src/main/res/android/values-eo-rUY/strings.xml deleted file mode 100644 index 7e79c13b..00000000 --- a/app/src/main/res/android/values-eo-rUY/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Agordoj - Sendi rimarkon - Superrigardo - Historio - Konsiletoj - Saluton. - Saluton. - Kondiĉoj de uzado. - Mi legis kaj konsentas la kondiĉoj de uzado - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Lando - Aĝo - Please enter a valid age. - Sekso - Vira - Ina - Alia - Diabettipo - Tipo 1 - Tipo 2 - Preferata unuo - Share anonymous data for research. - You can change these in settings later. - SEKVA - KOMENCIĜI - No info available yet. \n Add your first reading here. - Aldoni sangoglukozonivelon - Koncentriteco - Dato - Tempo - Mezurita - Antaŭ matenmanĝo - Post matenmanĝo - Antaŭ tagmanĝo - Post tagmanĝo - Antaŭ vespermanĝo - Post vespermanĝo - Ĝenerala - Rekontroli - Nokto - Alia - NULIGI - ALDONI - Please enter a valid value. - Please fill all the fields. - Forigi - Redakti - 1 legado forigita - MALFARI - Lasta kontrolo: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - Pri - Versio - Kondiĉoj de uzado - Tipo - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Asistanto - ĜISDATIGI NUN - OK, GOT IT - Sendi rimarkon - ALDONI LEGADON - Ĝisdatigi vian pezon - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Krei kategoriojn - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Sendi rimarkon - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Aldoni legadon - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-es-rES/google-playstore-strings.xml b/app/src/main/res/android/values-es-rES/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-es-rES/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-es-rES/strings.xml b/app/src/main/res/android/values-es-rES/strings.xml deleted file mode 100644 index e582d604..00000000 --- a/app/src/main/res/android/values-es-rES/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Configuración - Enviar comentarios - Información general - Historial - Consejos - Hola. - Hola. - Términos de Uso. - He leído y acepto los términos de uso - El contenido de la página web de Glucosio y sus aplicaciones, tales como el texto, los gráficos, las imágenes y otros materiales (\"contenido\"), son sólo para los fines informativos. El contenido no intenta ser un sustituto de los consejos, diagnósticos o tratamientos de los médicos profesionales. Animamos a los usuarios de Glucosio a que siempre busquen el asesoramiento de un médico u otro proveedor de salud calificado con cualquier pregunta que puedan tener sobre una condición médica. Nunca ignore los consejos médicos profesionales o retrasa en buscar el consejo debido a algo que ha leído en la Página Web de Glucosio o en nuestras aplicaciones. La Página Web, el Blog, el Wiki y otro contenido accesible por el navegador web (los sitios web) de Glucosio, deben ser utilizados únicamente para el propósito descrito. \n Confianza en cualquier información proporcionada por Glucosio, miembros del equipo de Glucosio, voluntarios u otros que aparecen en el sitio web o en nuestras aplicaciones es exclusivamente bajo su propio riesgo. El Sitio y el Contenido se proporcionan sobre una base \"tal cual\". - Solo necesitamos un par de cosas antes comenzar. - País - Edad - Por favor ingresa una edad válida. - Sexo - Masculino - Femenino - Otro - Tipo de diabetes - Tipo 1 - Tipo 2 - Unidad preferida - Comparte los datos de manera anónima para la investigación. - Puedes cambiar la configuración más tarde. - SIGUIENTE - EMPEZAR - No hay información disponible todavía. \n Añadir tu primera lectura aquí. - Añade el nivel de glucosa en la sangre - Concentración - Fecha - Hora - Medido - Antes del desayuno - Después del desayuno - Antes de la comida - Después de la comida - Antes de la cena - Después de la cena - Ajustes generales - Vuelva a revisar - Noche - Información adicional - Cancelar - Añadir - Por favor, ingrese un valor válido. - Por favor, rellena todos los campos. - Eliminar - Editar - 1 lectura eliminada - Deshacer - Última revisión: - Tendencia en el último mes: - en el rango y saludable - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - Sobre la aplicación - Versión - Condiciones de uso - Tipo - Weight - Custom measurement category - - Comer más alimentos frescos y no transformados para ayudar a reducir el consumo de carbohidratos y azúcar. - Lea las etiquetas nutricionales en los alimentos envasados y las bebidas para controlar el consumo de azúcar y carbohidratos. - Cuando coma fuera, pida pescado o carne a la parilla sin mantequilla ni aceite agregado. - Cuando coma fuera, pregunte si se ofrecen platos bajos en sodio. - Cuando coma fuera, coma porciones del mismo tamaño que se acostumbra comer en casa y llévese las sobras consigo. - Cuando coma fuera, pida comidas bajas en calorías, como los aderezos para ensaladas, aun si no salen en el menú. - Cuando coma fuera, pida sustituciones. En lugar de papas fritas, pida una orden doble de una verdura como la ensalada, las judías verdes o el brócoli. - Cuando coma fuera, pida comidas que no sean apanadas ni fritas. - Cuando coma fuera de casa, pida salsas y aderezos \"al lado.\" - Sin azúcar no realmente significa sin azúcar. Significa 0,5 gramos (g) de azúcar por porción, así que tenga cuidado para no comer demasiados artículos sin azucar. - Moverse hacia un peso saludable ayuda a control azúcar en la sangre. Su médico, una nutricionista y un entrenador físico pueden ayudarle a empezar en un plan que funcione para usted. - La verificación del nivel de sangre y el seguimiento del nivel en una aplicación como Glucosio dos veces al día le ayudará a ser consciente de los resultados de las opciones de comida y estilo de vida. - Obtenga un análisis de sangre A1c para averiguar su nivel de azúcar promedio durante los últimos 2 a 3 meses. Su médico debe decirle con qué frecuencia esta prueba será necesaria hacer. - Seguimiento de la cantidad de carbohidratos que consume puede ser tan importante como comprobar los niveles de sangre ya que los carbohidratos influyen los niveles de glucosa. Hable con su médico o dietista sobre el consumo de carbohidratos. - Controlar la presión arterial, el colesterol y los niveles de triglicéridos es importante porque los diabéticos son susceptibles a la enfermedad cardíaca. - Existen varios enfoques dietéticos que usted puede tomar para comer más sano y mejorar los resultados de su diabetes. Busque consejos de un dietista sobre lo que funcionaría mejor para usted y su presupuesto. - Es especialmente importante para los con diabetes que se esfuercen por hacer ejercicio regularmente, lo que puede ayudarles a mantener un peso saludable. Hable con su doctor para ver cuales ejercicios son adecuados para usted. - La privación de sueño puede llevarse a comer más comida chatarra, y como resultado, puede impactar su salud negativamente. Asegúrese de dormir bien y consulte a un especialista del sueño si le dificulta dormir. - El estrés puede tener un impacto negativo en los con diabetes. Hable con su doctor u otro profesional de salud de cómo manejar el estrés. - El visitar su doctor una vez al año y tener una comunicación durante el año entero es importante para los diabéticos para prevenir cualquier comienzo repentino de problemas de salud asociados. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limite la cantidad de sal que usa para cocinar y para salar las comidas después de cocinarlas. - - Asistente - ACTUALIZAR AHORA - OK, LO CONSIGUIÓ - SUBMIT FEEDBACK - ADD READING - Actualizar su peso - Asegúrese de actualizar su peso para que Glucosio tenga la información más precisa. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Crear categorías - Glucosio tiene categorías predeterminadas para la entrada de glucosa, pero puede crear categorías personalizadas en la configuración para que coincida con sus necesidades particulares. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Asegúrese de añadir regularmente sus lecturas de glucosa para que podamos ayudarle a seguir sus niveles de glucosa a lo largo del tiempo. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-es-rMX/google-playstore-strings.xml b/app/src/main/res/android/values-es-rMX/google-playstore-strings.xml deleted file mode 100644 index ff0936d8..00000000 --- a/app/src/main/res/android/values-es-rMX/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio es un app gratis y fuente libre para personas diabeticas - Usando los Glucosio, usted puede entrar y seguir niveles de glucosa en su sangre, y al mismo tiempo, anónimamente apoyar investigación de la diabetes, contribuyendo las tendencias demográficas y anónimos de la glucosa, ¡ y recibirá consejos a través de nuestro asistente. Glucosio respeta su privacidad y siempre estás en control de sus datos. - * Centrado en el usuario. Aplicaciones de los Glucosio están construidas con características y un diseño que coincida con las necesidades del usuario y estamos constantemente abiertos a la retroalimentación para mejorarla. - * Fuente Libre. Con las aplicaciones de los Glucosio tiene la libertad para usar, copiar, estudiar y cambiar el código fuente de cualquiera de nuestras aplicaciones y también, si desea, puede contribuir al proyecto de Glucosio. - * Administrar los datos. Glucosio le permite rastrear y gestionar sus datos de diabetes de una interfaz intuitiva y moderna construida con la feedback de los diabéticos. - Apoyar la investigación. Aplicaciones de los Glucosio darán a los usuarios la opción de opt-in compartir información demográfica y datos anónimos de diabetes con los investigadores. - Por favor presentar cualquier errores, problemas o sugerencias en: - https://github.com/glucosio/android - Más detalles: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-es-rMX/strings.xml b/app/src/main/res/android/values-es-rMX/strings.xml deleted file mode 100644 index 467b1fb5..00000000 --- a/app/src/main/res/android/values-es-rMX/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Configuración - Enviar comentarios - Resumen - Historial - Consejos - Hola. - Hola. - Términos de Uso. - He leído y acepto los Términos de Uso - El contenido de la página web de Glucosio y sus aplicaciones, tales como el texto, los gráficos, las imágenes y otros materiales (\"contenido\"), son sólo para los fines informativos. El contenido no intenta ser un sustituto de los consejos, diagnósticos o tratamientos de los médicos profesionales. Animamos a los usuarios de Glucosio a que siempre busquen el asesoramiento de un médico u otro proveedor de salud calificado con cualquier pregunta que puedan tener sobre una condición médica. Nunca ignore los consejos médicos profesionales o retrasa en buscar el consejo debido a algo que ha leído en la Página Web de Glucosio o en nuestras aplicaciones. La Página Web, el Blog, el Wiki y otro contenido accesible por el navegador web (los sitios web) de Glucosio, deben ser utilizados únicamente para el propósito descrito. \n Confianza en cualquier información proporcionada por Glucosio, miembros del equipo de Glucosio, voluntarios u otros que aparecen en el sitio web o en nuestras aplicaciones es exclusivamente bajo su propio riesgo. El Sitio y el Contenido se proporcionan sobre una base \"tal cual\". - Solo necesitamos un par de cosas antes comenzar. - País - Edad - Por favor ingresa una edad válida. - Género - Masculino - Femenino - Otro - Tipo de diabetes - Tipo 1 - Tipo 2 - Unidad preferida - Comparte los datos de manera anónima para la investigación. - Puedes cambiar la configuración más tarde. - SIGUIENTE - EMPEZAR - No hay información disponible todavía. \n Añadir su primera lectura aquí. - Añadir el nivel de glucosa en la sangre - Concentración - Fecha - Hora - Medido - Antes del desayuno - Después del desayuno - Antes del almuerzo - Después del almuerzo - Antes de la cena - Después de la cena - Ajustes generales - Vuelva a verificar - Noche - Otro - CANCELAR - AÑADIR - Por favor, ingrese un valor válido. - Por favor, rellena todos los campos. - Eliminar - Editar - 1 lectura eliminada - DESHACER - Última revisión: - Tendencia en el último mes: - en el rango y saludable - Mes - Día - Semana - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - Sobre la aplicación - Versión - Términos de Uso - Tipo - Peso - Categoría de medida personalizada - - Come más alimentos frescos y sin procesar para ayudar a reducir la ingesta de carbohidratos y azúcar. - Debes de leer la etiqueta nutricional de los alimentos y bebidas envasados para controlar la ingesta diaria de azúcar y carbohidratos. - Cuando comas fuera de casa, pide pescado o carne a la parrilla sin aceite ni mantequilla extra. - Cuando comas fuera de casa, pregunta si tienen platos de bajo contenido de sodio. - Cuando coma fuera, coma porciones del mismo tamaño que acostumbra comer en casa y llévese las sobras consigo. - Cuando coma fuera, pida comidas bajas en calorías, como los aderezos para ensaladas, aun si no salen en el menú. - Cuando coma fuera, pida sustituciones. En lugar de papas fritas, pida una orden doble de una verdura como la ensalada, las judías verdes o el brócoli. - Cuando coma fuera, pida comidas que no sean apanadas ni fritas. - Cuando coma fuera de casa, pida salsas y aderezos \"al lado.\" - Sin azúcar no realmente significa sin azúcar. Significa 0,5 gramos (g) de azúcar por porción, así que tenga cuidado para no comer demasiados artículos sin azucar. - Moverse hacia un peso saludable ayuda a control azúcar en la sangre. Su médico, una nutricionista y un entrenador físico pueden ayudarle a empezar en un plan que funcione para usted. - La verificación del nivel de sangre y el seguimiento del nivel en una aplicación como Glucosio dos veces al día le ayudará a ser consciente de los resultados de las opciones de comida y estilo de vida. - Obtenga un análisis de sangre A1c para averiguar su nivel de azúcar promedio durante los últimos 2 a 3 meses. Su médico debe decirle con qué frecuencia esta prueba será necesaria hacer. - Seguimiento de la cantidad de carbohidratos que consume puede ser tan importante como comprobar los niveles de sangre ya que los carbohidratos influyen los niveles de glucosa. Hable con su médico o dietista sobre el consumo de carbohidratos. - Controlar la presión arterial, el colesterol y los niveles de triglicéridos es importante porque los diabéticos son susceptibles a la enfermedad cardíaca. - Existen varios enfoques dietéticos que usted puede tomar para comer más sanamente y mejorar los resultados de su diabetes. Busque consejos de un dietista sobre lo que funcionaría mejor para usted y su presupuesto. - Es especialmente importante que las personas con diabetes se esfuercen por hacer ejercicio regularmente, lo que puede ayudarles a mantener un peso saludable. Hable con su doctor sobre los ejercicios que serán adecuados para usted. - La privación de sueño puede llevarse a comer más comida chatarra, y como resultado, puede afectar su salud negativamente. Asegúrese de dormir bien y consulte a un especialista del sueño si le dificulta dormir. - El estrés puede tener un impacto negativo en los con diabetes. Hable con su doctor u otro profesional de salud de cómo manejar el estrés. - El visitar a su doctor una vez al año y tener una comunicación durante el año entero es importante para los diabéticos para prevenir cualquier comienzo repentino de problemas de salud asociados. - Tome sus medicamentos según la receta de su médico. Aun los pequeños lapsos en su medicina pueden afectar su nivel de glucosa sanguínea y provocar otros efectos secundarios. Si tiene dificultad para recordar de tomar los medicamentos, pregunte a su médico acerca de la administración de medicamentos y las opciones recordatorios. - - - Los diabéticos mayores pueden estar en mayor riesgo de problemas de salud asociados con la diabetes. Hable con su médico sobre cómo la edad juega un papel en la diabetes y cómo cuidarse. - Limita la cantidad de sal que usas para cocinar y no agregues más a la comida después de haber sido cocinada. - - Asistente - ACTUALIZAR AHORA - OK, LO CONSIGUIÓ - ENVIAR COMENTARIOS - AGREGAR LECTURA - Actualizar su peso - Asegúrese de actualizar su peso para que Glucosio tenga la información más precisa. - Actualizar su investigación opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Crear categorías - Glucosio tiene categorías predeterminadas para la entrada de glucosa, pero puede crear categorías personalizadas en la configuración para que coincida con sus necesidades particulares. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Asegúrese de añadir regularmente sus lecturas de glucosa para que podamos ayudarle a seguir sus niveles de glucosa a lo largo del tiempo. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-es-rVE/google-playstore-strings.xml b/app/src/main/res/android/values-es-rVE/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-es-rVE/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-es-rVE/strings.xml b/app/src/main/res/android/values-es-rVE/strings.xml deleted file mode 100644 index 5eacd713..00000000 --- a/app/src/main/res/android/values-es-rVE/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Ajustes - Enviar comentarios - Resumen - Historial - Consejos - Hola. - Hola. - Términos de Uso. - He leído y acepto los términos de uso - El contenido de la página web de Glucosio y sus aplicaciones, tales como el texto, los gráficos, las imágenes y otros materiales (\"contenido\"), son sólo para los fines informativos. El contenido no intenta ser un sustituto de los consejos, diagnósticos o tratamientos de los médicos profesionales. Animamos a los usuarios de Glucosio a que siempre busquen el asesoramiento de un médico u otro proveedor de salud calificado con cualquier pregunta que puedan tener sobre una condición médica. Nunca ignore los consejos médicos profesionales o retrasa en buscar el consejo debido a algo que ha leído en la Página Web de Glucosio o en nuestras aplicaciones. La Página Web, el Blog, el Wiki y otro contenido accesible por el navegador web (los sitios web) de Glucosio, deben ser utilizados únicamente para el propósito descrito. \n Confianza en cualquier información proporcionada por Glucosio, miembros del equipo de Glucosio, voluntarios u otros que aparecen en el sitio web o en nuestras aplicaciones es exclusivamente bajo su propio riesgo. El Sitio y el Contenido se proporcionan sobre una base \"tal cual\". - Solo necesitamos un par de cosas antes comenzar. - País - Edad - Por favor escribe una edad válida. - Género - Masculino - Femenino - Otro - Tipo de diabetes - Tipo 1 - Tipo 2 - Unidad preferida - Compartir datos anónimos para la investigación. - Puedes cambiar la configuración más tarde. - SIGUIENTE - EMPEZAR - No hay información disponible todavía. \n Añadir tu primera lectura aquí. - Añade el nivel de glucosa en la sangre - Concentración - Fecha - Hora - Medido - Antes del desayuno - Después del desayuno - Antes del almuerzo - Después del almuerzo - Antes de la cena - Después de la cena - Ajustes generales - Vuelva a revisar - Noche - Información adicional - Cancelar - Añadir - Por favor, ingrese un valor válido. - Por favor, rellena todos los campos. - Eliminar - Editar - 1 lectura eliminada - Deshacer - Última revisión: - Tendencia en el último mes: - en el rango y saludable - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - Sobre la aplicación - Versión - Condiciones de uso - Tipo - Weight - Custom measurement category - - Comer más alimentos frescos y no transformados para ayudar a reducir el consumo de carbohidratos y azúcar. - Lea las etiquetas nutricionales en los alimentos envasados y las bebidas para controlar el consumo de azúcar y carbohidratos. - Cuando coma fuera, pida pescado o carne a la parilla sin mantequilla ni aceite agregado. - Cuando coma fuera, pregunte si se ofrecen platos bajos en sodio. - Cuando coma fuera, coma porciones del mismo tamaño que se acostumbra comer en casa y llévese las sobras consigo. - Cuando coma fuera, pida comidas bajas en calorías, como los aderezos para ensaladas, aun si no salen en el menú. - Cuando coma fuera, pida sustituciones. En lugar de papas fritas, pida una orden doble de una verdura como la ensalada, las judías verdes o el brócoli. - Cuando coma fuera, pida comidas que no sean apanadas ni fritas. - Cuando coma fuera de casa, pida salsas y aderezos \"al lado.\" - Sin azúcar no realmente significa sin azúcar. Significa 0,5 gramos (g) de azúcar por porción, así que tenga cuidado para no comer demasiados artículos sin azucar. - Moverse hacia un peso saludable ayuda a control azúcar en la sangre. Su médico, una nutricionista y un entrenador físico pueden ayudarle a empezar en un plan que funcione para usted. - La verificación del nivel de sangre y el seguimiento del nivel en una aplicación como Glucosio dos veces al día le ayudará a ser consciente de los resultados de las opciones de comida y estilo de vida. - Obtenga un análisis de sangre A1c para averiguar su nivel de azúcar promedio durante los últimos 2 a 3 meses. Su médico debe decirle con qué frecuencia esta prueba será necesaria hacer. - Seguimiento de la cantidad de carbohidratos que consume puede ser tan importante como comprobar los niveles de sangre ya que los carbohidratos influyen los niveles de glucosa. Hable con su médico o dietista sobre el consumo de carbohidratos. - Controlar la presión arterial, el colesterol y los niveles de triglicéridos es importante porque los diabéticos son susceptibles a la enfermedad cardíaca. - Existen varios enfoques dietéticos que usted puede tomar para comer más sano y mejorar los resultados de su diabetes. Busque consejos de un dietista sobre lo que funcionaría mejor para usted y su presupuesto. - Es especialmente importante para los con diabetes que se esfuercen por hacer ejercicio regularmente, lo que puede ayudarles a mantener un peso saludable. Hable con su doctor para ver cuales ejercicios son adecuados para usted. - La privación de sueño puede llevarse a comer más comida chatarra, y como resultado, puede impactar su salud negativamente. Asegúrese de dormir bien y consulte a un especialista del sueño si le dificulta dormir. - El estrés puede tener un impacto negativo en los con diabetes. Hable con su doctor u otro profesional de salud de cómo manejar el estrés. - El visitar su doctor una vez al año y tener una comunicación durante el año entero es importante para los diabéticos para prevenir cualquier comienzo repentino de problemas de salud asociados. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limite la cantidad de sal que usa para cocinar y para salar las comidas después de cocinarlas. - - Asistente - ACTUALIZAR AHORA - OK, LO CONSIGUIÓ - SUBMIT FEEDBACK - ADD READING - Actualizar su peso - Asegúrese de actualizar su peso para que Glucosio tenga la información más precisa. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Crear categorías - Glucosio tiene categorías predeterminadas para la entrada de glucosa, pero puede crear categorías personalizadas en la configuración para que coincida con sus necesidades particulares. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Asegúrese de añadir regularmente sus lecturas de glucosa para que podamos ayudarle a seguir sus niveles de glucosa a lo largo del tiempo. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-et-rEE/google-playstore-strings.xml b/app/src/main/res/android/values-et-rEE/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-et-rEE/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-et-rEE/strings.xml b/app/src/main/res/android/values-et-rEE/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-et-rEE/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-eu-rES/google-playstore-strings.xml b/app/src/main/res/android/values-eu-rES/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-eu-rES/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-eu-rES/strings.xml b/app/src/main/res/android/values-eu-rES/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-eu-rES/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-fa-rAF/google-playstore-strings.xml b/app/src/main/res/android/values-fa-rAF/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-fa-rAF/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-fa-rAF/strings.xml b/app/src/main/res/android/values-fa-rAF/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-fa-rAF/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-fa-rIR/google-playstore-strings.xml b/app/src/main/res/android/values-fa-rIR/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-fa-rIR/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-fa-rIR/strings.xml b/app/src/main/res/android/values-fa-rIR/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-fa-rIR/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-ff-rZA/google-playstore-strings.xml b/app/src/main/res/android/values-ff-rZA/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-ff-rZA/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-ff-rZA/strings.xml b/app/src/main/res/android/values-ff-rZA/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-ff-rZA/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-fi-rFI/google-playstore-strings.xml b/app/src/main/res/android/values-fi-rFI/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-fi-rFI/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-fi-rFI/strings.xml b/app/src/main/res/android/values-fi-rFI/strings.xml deleted file mode 100644 index 65ba0ab4..00000000 --- a/app/src/main/res/android/values-fi-rFI/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Asetukset - Anna palautetta - Yhteenveto - Historia - Vinkit - Hei. - Hei. - Käyttöehdot. - Olen lukenut ja hyväksyn käyttöehdot - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - Käydään läpi muutama asia ennen käytön aloittamista. - Maa - Ikä - Anna kelvollinen ikä. - Sukupuoli - Mies - Nainen - Muu - Diabetestyyppi - Tyyppi 1 - Tyyppi 2 - Yksikkö - Jaa tietoja nimettömästi tutkimustarkoituksiin. - Voit muuttaa näitä myöhemmin asetuksista. - SEURAAVA - ALOITA - Tietoa ei ole vielä saatavilla. \n Lisää ensimmäinen lukemasi tähän. - Lisää verensokeritaso - Pitoisuus - Päivä - Aika - Mitattu - Ennen aamiaista - Aamiaisen jälkeen - Ennen lounasta - Lounaan jälkeen - Ennen illallista - Illallisen jälkeen - General - Recheck - Night - Other - PERUUTA - LISÄÄ - Please enter a valid value. - Täytä kaikki kentät. - Poista - Muokkaa - 1 lukema poistettu - KUMOA - Viimeisin tarkistus: - Kehitys viime kuukauden aikana: - rajoissa ja terve - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - Tietoa - Versio - Käyttöehdot - Tyyppi - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - LISÄÄ LUKEMA - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Lisää lukema - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-fil-rPH/google-playstore-strings.xml b/app/src/main/res/android/values-fil-rPH/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-fil-rPH/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-fil-rPH/strings.xml b/app/src/main/res/android/values-fil-rPH/strings.xml deleted file mode 100644 index eaf5f29a..00000000 --- a/app/src/main/res/android/values-fil-rPH/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Mga Setting - Magpadala ng feedback - Overview - Kasaysayan - Mga Tip - Mabuhay. - Mabuhay. - Terms of Use. - Nabasa ko at tinatanggap ang Terms of Use - Ang mga nilalaman ng Glucosio website at apps, lahat ng mga teksto, larawan, imahen at iba pang materyal (\"Content\") ay inilathala para sa impormasyon lamang. Ang mga nasabing nilalaman at hindi maaring gamit sa pangpropesyunal na payong pangmedikal, pagsusuri o kagamutan. Lahat ng gumagamit ng Glucosio ay hinihikayat na magpasuri sa mga doktor o mga tagapayong pangkalusugan sa anumang katanungan hingil sa inyong sakit.\n Walang pananagutan ang Glucosio team, volunteers at mga nilalaman sa aming website sa paggamit ng aming produkto. - Kinakailangan namin ang ilang mga bagay bago tayo makapagsimula. - Bansa - Edad - Paki-enter ang tamang edad. - Kasarian - Lalaki - Babae - Iba - Uri ng diabetes - Type 1 - Type 2 - Nais na unit - Ibahagi ang anonymous data para sa pagsasaliksik. - Maaari mong palitan ang mga settings na ito mamaya. - SUSUNOD - MAGSIMULA - Walang impormasyon na nakatala. \n Magdagdag ng iyong unang reading dito. - Idagdag ang Blood Glucose Level - Konsentrasyon - Petsa - Oras - Sukat - Bago mag-agahan - Pagkatapos ng agahan - Bago magtanghalian - Pagkatapos ng tanghalian - Bago magdinner - Pagkatapos magdinner - Pangkabuuan - Suriin muli - Gabi - Iba pa - KANSELAHIN - IDAGDAG - Mag-enter ng tamang value. - Paki-punan ang lahat ng mga fields. - Burahin - I-edit - Binura ang 1 reading - I-UNDO - Huling pagsusuri: - Trend sa nakalipas na buwan: - nasa tamang sukat at ikaw ay malusog - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - Tungkol sa - Bersyon - Terms of use - Uri - Weight - Custom na kategorya para sa mga sukat - - Kumain ng mga sariwa at hindi processed na mga pagkain para makaiwas sa carbohydrate at asukal. - Basahing mabuti ang nutritional label sa mga packaged food at beverages para makontrol ang lebel ng asukal at carbohydrate sa kinakain. - Kung kakain sa labas, kumain ng isda o nilagang karne na walang mantikilya o mantika. - Kapag kumakain sa labas, kumuha ng mga low sodium na pagkain. - Kung kakain sa labas, siguraduhing ang dami ng iyong kakainin ay katulad lamang ng pagkain mo kung ikaw ay nasa bahay at huwag mag-uuwi ng mga tira. - Kung kakain sa labas, kumuha ng mga pagkaing mababa sa calorie, tulad ng salad dressings, kahit na ang mga ito ay wala sa menu. - Kung kakain sa labas, magtanong ng mga substitutions. Halimbawa, sa halip na kumain ng French Fries, kumuha ng dalawang order ng gulay tulad ng salad, green beans at repolyo. - Kung kakain sa labas, kumuha ng pagkaing hindi breaded or pinirito. - Kung kakain sa labas, humingi ng mga sauce, gravy at salad dressings bilang pang-ulam. - Hindi ibig sabihin na kapag ang isang bagay ay sugar free, wala na itong asukal. Ang ibig nitong sabihin ay mayroon lamang ito na 0.5 grams (g) ng asukal sa bawat serving, kaya mag-ingat at kumain lamang ng tamang pagkain na nagsasabing sila ay sugar free. - Ang pagkakaroon ng tamang timbang at nakatutulong sa pagkontrol ng blood sugar. Alamin ang tamang pamamaraan mula sa inyong doktor. - Ang pagsusuri ng iyong blood level at pagtatala nito sa app na katulad ng Glucosio dalawang beses sa isang araw ay makatutulong para magkaron ng mabuting pagpili sa mga kinakain at pamumuhay. - Magpakuha ng A1c blood test para malaman ang iyong blood sugar average sa nagdaang 2 hanggang 3 buwan. Sasabihin sa iyo ng iyong doktok kung gaano kadalas mo dapat ginawa ang ganitong pagsusuri. - Ang pagtatala kung ilang carbohydrates ang nasa iyong pagkain ay kasing halaga ng pagsusuri ng iyong blood levels, dahil ito ay nakaaapekto sa bawat isa. Kausapin ang iyong manggagamot para sa nararapat ng carbohydrate intake. - Ang pag-control ng iyong blood pressure, cholesterol at triglyceride levels ay mahalaga dahil ang mga diabetiko ay mas malaki ang tsansang magkasakit sa puso. - May iba\'t-ibang pamamaraan sa pagdidiyeta para makatulong na ikaw ay maging malusog at makontrol ang iyong diabetes. Kumunsulta sa isang dietician para malaman kung ano ang pinakamabuting pamamaraan ng pagdidiyeta na pasok sa iyong budget. - Ang palagiang pag-eehersisyo ay mahalaga sa mga diabetiko para mapanatili ang tamang timbang. Kumunsulta sa inyong doktor para malaman ang tamang ehersisyo sa iyo. - Kung kulang ka sa tulog, ito ay magiging sanhi para ikaw ay kumain nang mas marami at kumain ng mga junk foods na hindi maganda sa iyong kalusugan. Siguraduhing may sapat na oras ng tulog sa gabi. Sumangguni sa espesyalista kung kinakailangan. - May malaking epekto ang stress sa mga diabetiko. Kumunsulta sa inyong doktor para malaman kung paano malalabanan ang stress. - Ang pagbisita sa iyong doktor at palagiang kuminikasyon sa kaniya sa loob ng buong taon ay mahalaga para sa mga may diabetes para maiwasan ang paglubha ng iyong sakit. - Palagiang uminom ng gamot base sa payo ng inyong doktor. Ang pagliban sa pag-inom ng gamot ay may malaking epekto sa iyong blood glucose level. Kumunsulta sa inyong doktor para malaman ang pinakaepektibong pamamaraan na hindi mo malilimutang uminom ng gamot sa oras. - - - May epekto ang edad ng isang diabetiko. Kumunsulta sa inyong doktor para malaman kung anu-ano ang dapat gawin ng isang diabetikong may edad na. - Siguraduhing kakaunti lamang ang asin sa pagkaing niluluto o ang paggamit nito habang kumakain. - - Assistant - I-UPDATE NGAYON - OK - I-SUBMIT ANG FEEDBACK - MAGDAGDAG NG READING - I-update ang iyong timbang - Siguraduhing tama ang iyong timbang para makapagbigay ng mas angkop na impormasyon ang Glucosio. - I-update ang iyong research opt-in - Maaari kang hindi mapabilang sa aming diabetes research sharing kung iyong nanaisin. Lahat ng impormasyon na aming nilalagap ay anonymous at hinding-hindi namin ito ipamimigay kanino man. - Gumawa ng mga kategorya - Ang Glucosio ay mga kategoryang kalakip para sa glucose input, ngunit maaari kang gumawa ng sarili mong kategorya kung nanaisin. - Pumunta dito ng madalas - Nagbibigay ang Glucosio assistant ng mga payo kung paano gaganda ang iyong kalusugan at kung paano mo makukuha ang benepisyo ng paggamit ng Glucosio. - I-submit ang feedback - Kung may mga katanungang pangteknikal or may mga puna at suhesyon para sa Glucosio, pumunta sa settings menu. - Magdagdag ng reading - Siguraduhing palaging magdagdag ng iyong glucose readings para ikaw matulungan naming i-track ang iyong glucose levels. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-fj-rFJ/google-playstore-strings.xml b/app/src/main/res/android/values-fj-rFJ/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-fj-rFJ/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-fj-rFJ/strings.xml b/app/src/main/res/android/values-fj-rFJ/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-fj-rFJ/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-fo-rFO/google-playstore-strings.xml b/app/src/main/res/android/values-fo-rFO/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-fo-rFO/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-fo-rFO/strings.xml b/app/src/main/res/android/values-fo-rFO/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-fo-rFO/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-fr-rFR/google-playstore-strings.xml b/app/src/main/res/android/values-fr-rFR/google-playstore-strings.xml deleted file mode 100644 index 88a1c51c..00000000 --- a/app/src/main/res/android/values-fr-rFR/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio est une application gratuite et open source centrée sur l\'utilisateur atteints de diabète - En utilisant Glucosio, vous pouvez entrer et suivre la glycémie, anonymement soutenir recherche sur le diabète en contribuant des tendances démographiques et rendues anonymes du glucose et obtenir des conseils utiles par le biais de notre assistant. Glucosio respecte votre vie privée et vous êtes toujours en contrôle de vos données. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. L\'application Glucosio vous donne la liberté d\'utiliser, de copier, d\'étudier et de changer le code source de chacune de nos application et même de contribuer au projet Glucosio. - * Gestion des données. Glucosio vous permet de suivre et de gérer votre diabète de manière intuitive, grâce à une interface moderne construite à l\'aide des retours de diabétiques. - * Supporter la recherche. Glucosio donne à l\'utilisateur la possibilité de partager des données anonymisées à propos du diabète et de sa situation démographique avec les chercheurs. - Veuillez déposer les bogues, problèmes ou demandes de fonctionnalité à : - https://github.com/glucosio/android - En savoir plus: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-fr-rFR/strings.xml b/app/src/main/res/android/values-fr-rFR/strings.xml deleted file mode 100644 index ce1d32f9..00000000 --- a/app/src/main/res/android/values-fr-rFR/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Réglages - Envoyez vos commentaires - Aperçu - Historique - Astuces - Bonjour. - Bonjour. - Conditions d\'utilisation. - J\'ai lu et accepté les conditions d\'utilisation - Le contenu du site Web Glucosio et applications, tels que textes, graphiques, images et autre matériel (\"contenu\") est à titre informatif seulement. Le contenu ne vise pas à se substituer à un avis médical professionnel, diagnostic ou traitement. Nous encourageons les utilisateurs de Glucosio de toujours demander l\'avis de votre médecin ou un autre fournisseur de santé qualifié pour toute question que vous pourriez avoir concernant un trouble médical. Ne jamais ignorer un avis médical professionnel ou tarder à le chercher parce que vous avez lu sur le site Glucosio ou dans nos applications. Le site Glucosio, Blog, Wiki et autres contenus accessibles du navigateur web (« site Web ») devraient être utilisés qu\'aux fins décrites ci-dessus. \n Reliance sur tout renseignement fourni par Glucosio, membres de l\'équipe Glucosio, bénévoles et autres apparaissant sur le site ou dans nos applications est exclusivement à vos propres risques. Le Site et son contenu sont fournis sur une base \"tel quel\". - Avant de démarrer, nous avons besoin de quelques renseignements. - Pays - Âge - Veuillez saisir un âge valide. - Sexe - Homme - Femme - Autre - Type de diabète - Type 1 - Type 2 - Unité préférée - Partager des données anonymes pour la recherche. - Vous pouvez modifier ces réglages plus tard. - SUIVANT - COMMENCER - Aucune info disponible encore. \n ajouter votre première lecture ici. - Saisir le niveau de glycémie - Concentration - Date - Heure - Mesuré - Avant le petit-déjeuner - Après le petit-déjeuner - Avant le déjeuner - Après le déjeuner - Avant le dîner - Après le dîner - Général - Revérifier - Nuit - Autre - ANNULER - AJOUTER - Merci d\'entrer une valeur valide. - Veuillez saisir tous les champs. - Supprimer - Éditer - 1 enregistrement supprimé - Annuler - Dernière vérification\u00A0: - Tendance sur le dernier mois\u00A0: - dans l\'intervalle normal - Mois - Jour - Semaine - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - A propos - Version - Conditions d\'utilisation - Type - Poids - Catégorie de mesure personnalisée - - Mangez plus d\'aliments frais et non transformés pour faciliter la réduction des apports en glucide et en sucre. - Lisez les informations nutritionnelles présentes sur les emballages des aliments et boissons pour contrôler vos apports en sucre et glucides. - Lors d\'un repas à l\'extérieur, demandez du poisson ou de la viande grillée, sans matières grasses supplémentaires. - Lors d\'un repas à l\'extérieur, demandez si certains plats ont une faible teneur en sel. - Lors d\'un repas à l\'extérieur, mangez la même quantité que ce vous avez l\'habitude de consommer et décidez d\'emporter les restes ou non. - Lors d\'un repas à l\'extérieur, demandez des accompagnements à faible teneur en calories, même si ceux-ci ne sont pas sur le menu. - Lors d\'un repas à l\'extérieur, n\'hésitez pas à demander à échanger des ingrédients. À la place des frites, demandez plutôt une double ration de salade, de haricots ou de brocolis. - Lors d\'un repas à l\'extérieur, commandez des aliments qui ne soient pas fris ou panés. - Lors d\'un repas à l\'extérieur, demandez à ce que les sauces et vinaigrettes soit servies « à côté ». - « Sans sucre » ne signifie pas exactement sans sucre. Cela peut indiquer qu\'il y a 0,5 grammes (g) de sucre par portion. Attention à ne pas consommer trop d\'aliments « sans sucre ». - En vous orientant vers un bon poids pour votre santé aide le contrôle de la glycémie. Votre médecin, un diététicien et un entraîneur peuvent vous aider à démarrer sur un plan qui fonctionnera pour vous. - La vérification de votre niveau de sang et son suivi dans une application comme Glucosio deux fois par jour vous aidera à être au courant des résultats des choix alimentaires et de mode de vie. - Obtenez des tests sanguins A1c pour trouver votre glycémie moyenne pour les 2 à 3 derniers mois. Votre médecin vous donnera la fréquence de l\'effectuation de ces tests. - Surveiller combien de glucides vous consommez peut être aussi important que de surveiller votre niveau de sang, puisque les glucides influent sur le taux de glucose dans le sang. Parlez à votre médecin ou votre diététicien de l\'apport en glucides. - Le contrôle de la pression artérielle, le cholestérol et le taux de triglycérides est important car les diabétiques sont sensibles à des risques cardiaques. - Il y a plusieurs approches de régime alimentaire, que vous pouvez adopter pour manger sainement et en aidant à améliorer les résultats de votre diabète. Demandez conseil à votre diététicien sur ce qui fonctionnera le mieux pour vous et votre budget. - Faire de l\'exercice régulièrement est encore plus important chez les diabétiques et vous aidera à garder un poids sain. Parlez à votre médecin des exercices qui seraient les plus adaptés pour vous. - La privation de sommeil peut vous pousser à manger plus, et plus particulièrement des cochonneries, et peut donc impacter négativement sur votre santé. Assurez-vous d\'avoir une bonne nuit réparatrice et consultez un spécialiste du sommeil si vous éprouvez des difficultés. - Le stress peut avoir un impact négatif sur le diabète, discutez avec votre médecin ou avec d\'autres professionnels de santé pour savoir comment gérer le stress. - Afin de prévenir tout apparition soudaine de problème de santé, quand on est diabétique, il est important de prendre rendez-vous avec son médecin, au moins une fois par an, et d\'échanger avec tout au long de l\'année. - Prenez vos médicaments tels qu\'ils vous ont été prescrits, même les légers écarts peuvent impacter votre glycémie et provoquer d\'autres effets secondaires. Si vous avez des difficultés à mémoriser le rythme et les doses, n\'hésitez pas à demander à votre médecin des outils pour vous aider à créer des rappels. - - - Les personnes diabétiques plus âgées ont un risque plus élevé d\'avoir des problèmes de santé liés au diabète. Discutez avec votre médecin pour connaître le rôle de votre âge dans votre diabète et savoir ce qu\'il faut surveiller. - Limitez la quantité de sel utilisée pour cuisiner et celle ajoutée aux plats après la cuisson. - - Assistant - METTRE A JOUR - OK, COMPRIS - SOUMETTRE UN RETOUR - AJOUTER LECTURE - Mise à jour de votre poids - Assurez-vous de mettre à jour votre poids afin Glucosio contient les informations les plus exactes. - Update your research opt-in - Vous pouvez toujours activer ou désactiver le partage pour la recherche sur le diabète, mais rappelez vous que les données partagées sont entièrement anonyme. Nous partageons seulement les données démographiques et le niveau de glucose. - Créer des catégories - Glucosio comprend des catégories par défaut pour l\'entrée de glucose mais vous pouvez créer des catégories personnalisées dans paramètres pour assortir vos besoins uniques. - Vérifiez souvent - Glucosio assistant fournit des conseils réguliers et va continuer à améliorer, il faut donc toujours vérifier ici pour des actions utiles, que vous pouvez prendre pour améliorer votre expérience de Glucosio et pour d\'autres conseils utiles. - Envoyer un commentaire - Si vous trouvez des problèmes techniques ou avez des commentaires sur Glucosio nous vous encourageons à nous les transmettre dans le menu réglages afin de nous aider à améliorer Glucosio. - Ajouter une lecture - N\'oubliez pas d\'ajouter régulièrement vos lectures de glucose, donc nous pouvons vous aider à suivre votre taux de glucose dans le temps. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Gamme préférée - Gamme personnalisée - Valeur minimum - Valeur maximum - Essayez Maintenant - diff --git a/app/src/main/res/android/values-fr-rQC/google-playstore-strings.xml b/app/src/main/res/android/values-fr-rQC/google-playstore-strings.xml deleted file mode 100644 index 88a1c51c..00000000 --- a/app/src/main/res/android/values-fr-rQC/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio est une application gratuite et open source centrée sur l\'utilisateur atteints de diabète - En utilisant Glucosio, vous pouvez entrer et suivre la glycémie, anonymement soutenir recherche sur le diabète en contribuant des tendances démographiques et rendues anonymes du glucose et obtenir des conseils utiles par le biais de notre assistant. Glucosio respecte votre vie privée et vous êtes toujours en contrôle de vos données. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. L\'application Glucosio vous donne la liberté d\'utiliser, de copier, d\'étudier et de changer le code source de chacune de nos application et même de contribuer au projet Glucosio. - * Gestion des données. Glucosio vous permet de suivre et de gérer votre diabète de manière intuitive, grâce à une interface moderne construite à l\'aide des retours de diabétiques. - * Supporter la recherche. Glucosio donne à l\'utilisateur la possibilité de partager des données anonymisées à propos du diabète et de sa situation démographique avec les chercheurs. - Veuillez déposer les bogues, problèmes ou demandes de fonctionnalité à : - https://github.com/glucosio/android - En savoir plus: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-fr-rQC/strings.xml b/app/src/main/res/android/values-fr-rQC/strings.xml deleted file mode 100644 index ce1d32f9..00000000 --- a/app/src/main/res/android/values-fr-rQC/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Réglages - Envoyez vos commentaires - Aperçu - Historique - Astuces - Bonjour. - Bonjour. - Conditions d\'utilisation. - J\'ai lu et accepté les conditions d\'utilisation - Le contenu du site Web Glucosio et applications, tels que textes, graphiques, images et autre matériel (\"contenu\") est à titre informatif seulement. Le contenu ne vise pas à se substituer à un avis médical professionnel, diagnostic ou traitement. Nous encourageons les utilisateurs de Glucosio de toujours demander l\'avis de votre médecin ou un autre fournisseur de santé qualifié pour toute question que vous pourriez avoir concernant un trouble médical. Ne jamais ignorer un avis médical professionnel ou tarder à le chercher parce que vous avez lu sur le site Glucosio ou dans nos applications. Le site Glucosio, Blog, Wiki et autres contenus accessibles du navigateur web (« site Web ») devraient être utilisés qu\'aux fins décrites ci-dessus. \n Reliance sur tout renseignement fourni par Glucosio, membres de l\'équipe Glucosio, bénévoles et autres apparaissant sur le site ou dans nos applications est exclusivement à vos propres risques. Le Site et son contenu sont fournis sur une base \"tel quel\". - Avant de démarrer, nous avons besoin de quelques renseignements. - Pays - Âge - Veuillez saisir un âge valide. - Sexe - Homme - Femme - Autre - Type de diabète - Type 1 - Type 2 - Unité préférée - Partager des données anonymes pour la recherche. - Vous pouvez modifier ces réglages plus tard. - SUIVANT - COMMENCER - Aucune info disponible encore. \n ajouter votre première lecture ici. - Saisir le niveau de glycémie - Concentration - Date - Heure - Mesuré - Avant le petit-déjeuner - Après le petit-déjeuner - Avant le déjeuner - Après le déjeuner - Avant le dîner - Après le dîner - Général - Revérifier - Nuit - Autre - ANNULER - AJOUTER - Merci d\'entrer une valeur valide. - Veuillez saisir tous les champs. - Supprimer - Éditer - 1 enregistrement supprimé - Annuler - Dernière vérification\u00A0: - Tendance sur le dernier mois\u00A0: - dans l\'intervalle normal - Mois - Jour - Semaine - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - A propos - Version - Conditions d\'utilisation - Type - Poids - Catégorie de mesure personnalisée - - Mangez plus d\'aliments frais et non transformés pour faciliter la réduction des apports en glucide et en sucre. - Lisez les informations nutritionnelles présentes sur les emballages des aliments et boissons pour contrôler vos apports en sucre et glucides. - Lors d\'un repas à l\'extérieur, demandez du poisson ou de la viande grillée, sans matières grasses supplémentaires. - Lors d\'un repas à l\'extérieur, demandez si certains plats ont une faible teneur en sel. - Lors d\'un repas à l\'extérieur, mangez la même quantité que ce vous avez l\'habitude de consommer et décidez d\'emporter les restes ou non. - Lors d\'un repas à l\'extérieur, demandez des accompagnements à faible teneur en calories, même si ceux-ci ne sont pas sur le menu. - Lors d\'un repas à l\'extérieur, n\'hésitez pas à demander à échanger des ingrédients. À la place des frites, demandez plutôt une double ration de salade, de haricots ou de brocolis. - Lors d\'un repas à l\'extérieur, commandez des aliments qui ne soient pas fris ou panés. - Lors d\'un repas à l\'extérieur, demandez à ce que les sauces et vinaigrettes soit servies « à côté ». - « Sans sucre » ne signifie pas exactement sans sucre. Cela peut indiquer qu\'il y a 0,5 grammes (g) de sucre par portion. Attention à ne pas consommer trop d\'aliments « sans sucre ». - En vous orientant vers un bon poids pour votre santé aide le contrôle de la glycémie. Votre médecin, un diététicien et un entraîneur peuvent vous aider à démarrer sur un plan qui fonctionnera pour vous. - La vérification de votre niveau de sang et son suivi dans une application comme Glucosio deux fois par jour vous aidera à être au courant des résultats des choix alimentaires et de mode de vie. - Obtenez des tests sanguins A1c pour trouver votre glycémie moyenne pour les 2 à 3 derniers mois. Votre médecin vous donnera la fréquence de l\'effectuation de ces tests. - Surveiller combien de glucides vous consommez peut être aussi important que de surveiller votre niveau de sang, puisque les glucides influent sur le taux de glucose dans le sang. Parlez à votre médecin ou votre diététicien de l\'apport en glucides. - Le contrôle de la pression artérielle, le cholestérol et le taux de triglycérides est important car les diabétiques sont sensibles à des risques cardiaques. - Il y a plusieurs approches de régime alimentaire, que vous pouvez adopter pour manger sainement et en aidant à améliorer les résultats de votre diabète. Demandez conseil à votre diététicien sur ce qui fonctionnera le mieux pour vous et votre budget. - Faire de l\'exercice régulièrement est encore plus important chez les diabétiques et vous aidera à garder un poids sain. Parlez à votre médecin des exercices qui seraient les plus adaptés pour vous. - La privation de sommeil peut vous pousser à manger plus, et plus particulièrement des cochonneries, et peut donc impacter négativement sur votre santé. Assurez-vous d\'avoir une bonne nuit réparatrice et consultez un spécialiste du sommeil si vous éprouvez des difficultés. - Le stress peut avoir un impact négatif sur le diabète, discutez avec votre médecin ou avec d\'autres professionnels de santé pour savoir comment gérer le stress. - Afin de prévenir tout apparition soudaine de problème de santé, quand on est diabétique, il est important de prendre rendez-vous avec son médecin, au moins une fois par an, et d\'échanger avec tout au long de l\'année. - Prenez vos médicaments tels qu\'ils vous ont été prescrits, même les légers écarts peuvent impacter votre glycémie et provoquer d\'autres effets secondaires. Si vous avez des difficultés à mémoriser le rythme et les doses, n\'hésitez pas à demander à votre médecin des outils pour vous aider à créer des rappels. - - - Les personnes diabétiques plus âgées ont un risque plus élevé d\'avoir des problèmes de santé liés au diabète. Discutez avec votre médecin pour connaître le rôle de votre âge dans votre diabète et savoir ce qu\'il faut surveiller. - Limitez la quantité de sel utilisée pour cuisiner et celle ajoutée aux plats après la cuisson. - - Assistant - METTRE A JOUR - OK, COMPRIS - SOUMETTRE UN RETOUR - AJOUTER LECTURE - Mise à jour de votre poids - Assurez-vous de mettre à jour votre poids afin Glucosio contient les informations les plus exactes. - Update your research opt-in - Vous pouvez toujours activer ou désactiver le partage pour la recherche sur le diabète, mais rappelez vous que les données partagées sont entièrement anonyme. Nous partageons seulement les données démographiques et le niveau de glucose. - Créer des catégories - Glucosio comprend des catégories par défaut pour l\'entrée de glucose mais vous pouvez créer des catégories personnalisées dans paramètres pour assortir vos besoins uniques. - Vérifiez souvent - Glucosio assistant fournit des conseils réguliers et va continuer à améliorer, il faut donc toujours vérifier ici pour des actions utiles, que vous pouvez prendre pour améliorer votre expérience de Glucosio et pour d\'autres conseils utiles. - Envoyer un commentaire - Si vous trouvez des problèmes techniques ou avez des commentaires sur Glucosio nous vous encourageons à nous les transmettre dans le menu réglages afin de nous aider à améliorer Glucosio. - Ajouter une lecture - N\'oubliez pas d\'ajouter régulièrement vos lectures de glucose, donc nous pouvons vous aider à suivre votre taux de glucose dans le temps. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Gamme préférée - Gamme personnalisée - Valeur minimum - Valeur maximum - Essayez Maintenant - diff --git a/app/src/main/res/android/values-fra-rDE/google-playstore-strings.xml b/app/src/main/res/android/values-fra-rDE/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-fra-rDE/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-fra-rDE/strings.xml b/app/src/main/res/android/values-fra-rDE/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-fra-rDE/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-frp-rIT/google-playstore-strings.xml b/app/src/main/res/android/values-frp-rIT/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-frp-rIT/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-frp-rIT/strings.xml b/app/src/main/res/android/values-frp-rIT/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-frp-rIT/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-fur-rIT/google-playstore-strings.xml b/app/src/main/res/android/values-fur-rIT/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-fur-rIT/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-fur-rIT/strings.xml b/app/src/main/res/android/values-fur-rIT/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-fur-rIT/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-fy-rNL/google-playstore-strings.xml b/app/src/main/res/android/values-fy-rNL/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-fy-rNL/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-fy-rNL/strings.xml b/app/src/main/res/android/values-fy-rNL/strings.xml deleted file mode 100644 index c32fef96..00000000 --- a/app/src/main/res/android/values-fy-rNL/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Ynstellingen - Weromkeppeling ferstjoere - Oersjoch - Skiednis - Tips - Hallo. - Hallo. - Brûksbetingsten. - Ik ha de brûksbetingsten lêzen en akseptearre - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Lân - Aldens - Please enter a valid age. - Geslacht - Man - Frou - Oar - Diabetestype - Type 1 - Type 2 - Foarkarsienheid - Share anonymous data for research. - You can change these in settings later. - FOLGJENDE - OAN DE SLACH - No info available yet. \n Add your first reading here. - Bloedsûkerspegel tafoegje - Konsintraasje - Datum - Tiid - Metten - Foar it moarnsiten - Nei it moarnsiten - Foar it middeisiten - Nei it middeisiten - Foar it jûnsiten - Nei it jûnsiten - Algemien - Opnij kontrolearje - Nacht - Oar - ANNULEARJE - TAFOEGJE - Please enter a valid value. - Please fill all the fields. - Fuortsmite - Bewurkje - 1 útlêzing fuortsmiten - ÛNGEDIEN MEITSJE - Lêste kontrôle: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - Oer - Ferzje - Brûksbetingsten - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistint - NO BYWURKJE - OK, GOT IT - WEROMKEPPELING FERSTJOERE - ÚTLÊZING TAFOEGJE - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Kategoryen meitsje - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Sjoch hjir regelmjittich - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Weromkeppeling ferstjoere - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - In útlêzing tafoegje - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-ga-rIE/google-playstore-strings.xml b/app/src/main/res/android/values-ga-rIE/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-ga-rIE/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-ga-rIE/strings.xml b/app/src/main/res/android/values-ga-rIE/strings.xml deleted file mode 100644 index 909f8424..00000000 --- a/app/src/main/res/android/values-ga-rIE/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Socruithe - Aiseolas - Foramharc - Stair - Leideanna - Dia dhuit. - Dia dhuit. - Téarmaí Úsáide. - Léigh mé na Téarmaí Úsáide agus glacaim leo - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - Cúpla rud beag sula dtosóimid. - Tír - Aois - Cuir aois bhailí isteach. - Inscne - Fireannach - Baineannach - Eile - Cineál diaibéitis - Cineál 1 - Cineál 2 - Do rogha aonaid - Comhroinn sonraí gan ainm le haghaidh taighde. - Is féidir leat iad seo a athrú ar ball sna socruithe. - AR AGHAIDH - TÚS MAITH - Níl aon eolas ar fáil fós. \n Cuir do chéad tomhas anseo. - Tomhais Leibhéal Glúcós Fola - Tiúchan - Dáta - Am - Tomhaiste - Roimh bhricfeasta - Tar éis bricfeasta - Roimh lón - Tar éis lóin - Roimh shuipéar - Tar éis suipéir - Ginearálta - Seiceáil arís - Oíche - Eile - CEALAIGH - OK - Cuir luach bailí isteach. - Líon isteach na réimsí go léir. - Scrios - Eagar - Scriosadh tomhas amháin - CEALAIGH - Tomhas is déanaí: - Treocht le linn na míosa seo caite: - sa raon sláintiúil - - - Seachtain - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - Maidir Leis - Leagan - Téarmaí Úsáide - Cineál - Meáchan - Catagóir saincheaptha - - Ith tuilleadh bia úr neamhphróiseáilte chun ionghabháil carbaihiodráití agus siúcra a laghdú. - Léigh an fhaisnéis bheathaithe ar bhia agus deochanna pacáistithe chun ionghabháil carbaihiodráití agus siúcra a rialú. - I mbialann, ordaigh iasc nó feoil ghríosctha gan im nó ola bhreise. - I mbialann, fiafraigh an bhfuil béilí beagshóidiam acu. - I mbialann, ith an méid céanna bia a d\'íosfá sa mbaile agus tabhair an fuílleach abhaile. - I mbialann, iarr rudaí beagchalraí, mar shampla anlanna sailéid, fiú mura bhfuil siad ar an mbiachlár. - I mbialann, iarr bia sláintiúil in ionad bia mhíshláintiúil, mar shampla glasraí (sailéad, pónairí glasa, nó brocailí) in ionad sceallóga. - I mbialann, seachain bia aránaithe nó friochta. - I mbialann, ordaigh anlann, súlach, nó blastán \"ar an taobh\". - Ní chiallaíonn \"gan siúcra\" nach bhfuil siúcra ann i gcónaí! Ciallaíonn sé níos lú ná 0.5 gram siúcra sa riar, mar sin níor chóir duit an iomarca rudaí \"gan siúcra\" a ithe. - Cabhraíonn meáchan sláintiúil leat siúcraí fola a rialú. Téigh i gcomhairle le do dhochtúir, le bia-eolaí, agus le traenálaí chun plean cailliúna meáchan a leagan amach. - Foghlaim faoin tionchar a imríonn bia agus stíl mhaireachtála ar do shláinte trí do leibhéal glúcós fola a thomhas faoi dhó sa lá i nGlucosio nó in aip eile dá leithéid. - Déan tástáil fola chun teacht ar do mheánleibhéal siúcra fola le 2 nó 3 mhí anuas. Inseoidh do dhochtúir duit cé chomh minic is a bheidh ort an tástáil fola seo a dhéanamh. - Tá sé an-tábhachtach d\'ionghabháil carbaihiodráití a thaifeadadh, chomh tábhachtach le leibhéal glúcós fola, toisc go n-imríonn carbaihiodráití tionchar ar ghlúcós fola. Bíodh comhrá agat le do dhochtúir nó le bia-eolaí maidir le hionghabháil carbaihiodráití. - Tá sé tábhachtach do bhrú fola, leibhéal colaistéaróil agus leibhéil tríghlicríde a srianadh, toisc go bhfuil daoine diaibéiteacha tugtha do ghalar croí. - Tá roinnt réimeanna bia ann a chabhródh leat bia níos sláintiúla a ithe agus dea-thorthaí sláinte a bhaint amach. Téigh i gcomhairle le bia-eolaí chun teacht ar an réiteach is fearr ó thaobh sláinte agus airgid. - Tá sé ríthábhachtach do dhaoine diaibéiteacha aclaíocht rialta a dhéanamh, agus cabhraíonn sé leat meáchan sláintiúil a choinneáil. Bíodh comhrá agat le do dhochtúir faoi réim aclaíochta fheiliúnach. - Nuair a bhíonn easpa codlata ort, itheann tú níos mó, go háirithe mearbhia agus bia beagmhaitheasa, rud a chuireann isteach ar do shláinte. Déan iarracht go leor codlata a fháil, agus téigh i gcomhairle le saineolaí codlata mura bhfuil tú in ann. - Imríonn strus drochthionchar ar dhaoine diaibéiteacha. Bíodh comhrá agat le do dhochtúir nó le gairmí cúram sláinte faoi conas is féidir déileáil le strus. - Tá sé an-tábhachtach cuairt a thabhairt ar do dhochtúir uair amháin sa mbliain agus cumarsáid rialta a dhéanamh leis/léi tríd an mbliain sa chaoi nach mbuailfidh fadhbanna sláinte ort go tobann. - Tóg do chógas leighis go díreach mar a bhí sé leagtha amach ag do dhochtúir. Má ligeann tú do chógas i ndearmad, fiú uair amháin, b\'fhéidir go n-imreodh sé drochthionchar ar do leibhéal glúcós fola. Mura bhfuil tú in ann do chóir leighis a mheabhrú, cuir ceist ar do dhochtúir faoi chóras bainistíochta cógais. - - - Seans go bhfuil baol níos mó ag baint le diaibéiteas i measc daoine níos sine. Bíodh comhrá agat le do dhochtúir faoin tionchar ag aois ar do dhiaibéiteas agus na comharthaí sóirt is tábhachtaí. - Cuir srian leis an méid salainn a úsáideann tú ar bhia le linn cócarála agus tar éis duit é a chócaráil. - - Cúntóir - NUASHONRAIGH ANOIS - TUIGIM - SEOL AISEOLAS - TOMHAS NUA - Nuashonraigh do mheáchan - Ba chóir duit do mheáchan a choinneáil cothrom le dáta sa chaoi go mbeidh an t-eolas is fearr ag Glucosio. - Athraigh an socrú a bhaineann le taighde - Is féidir leat do chuid sonraí a chomhroinnt le taighdeoirí atá ag obair ar dhiaibéiteas, go hiomlán gan ainm, nó comhroinnt a stopadh am ar bith. Ní chomhroinnimid ach faisnéis dhéimeagrafach agus treochtaí leibhéil glúcóis. - Cruthaigh catagóirí - Tagann Glucosio le catagóirí réamhshocraithe le haghaidh ionchurtha glúcóis, ach is féidir leat catagóirí de do chuid féin a chruthú sna socruithe. - Féach anseo go minic - Tugann Cúntóir Glucosio leideanna duit go rialta, agus rachaidh sé i bhfeabhas de réir a chéile. Mar sin, ba chóir duit filleadh anseo anois is arís le gníomhartha agus leideanna úsáideacha a fháil. - Seol aiseolas - Má fheiceann tú aon fhadhb theicniúil, nó más mian leat aiseolas faoi Glucosio a thabhairt dúinn, is féidir é sin a dhéanamh sa roghchlár Socruithe, chun cabhrú linn Glucosio a fheabhsú. - Tomhas nua - Ba chóir duit do leibhéal glúcos fola a thástáil go rialta sa chaoi go mbeidh tú in ann an leibhéal a leanúint thar thréimhse ama. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Raon inmhianaithe - Raon saincheaptha - Íosluach - Uasluach - BAIN TRIAIL AS - diff --git a/app/src/main/res/android/values-gaa-rGH/google-playstore-strings.xml b/app/src/main/res/android/values-gaa-rGH/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-gaa-rGH/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-gaa-rGH/strings.xml b/app/src/main/res/android/values-gaa-rGH/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-gaa-rGH/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-gd-rGB/google-playstore-strings.xml b/app/src/main/res/android/values-gd-rGB/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-gd-rGB/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-gd-rGB/strings.xml b/app/src/main/res/android/values-gd-rGB/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-gd-rGB/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-gl-rES/google-playstore-strings.xml b/app/src/main/res/android/values-gl-rES/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-gl-rES/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-gl-rES/strings.xml b/app/src/main/res/android/values-gl-rES/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-gl-rES/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-gn-rPY/google-playstore-strings.xml b/app/src/main/res/android/values-gn-rPY/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-gn-rPY/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-gn-rPY/strings.xml b/app/src/main/res/android/values-gn-rPY/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-gn-rPY/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-gu-rIN/google-playstore-strings.xml b/app/src/main/res/android/values-gu-rIN/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-gu-rIN/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-gu-rIN/strings.xml b/app/src/main/res/android/values-gu-rIN/strings.xml deleted file mode 100644 index e0b74af4..00000000 --- a/app/src/main/res/android/values-gu-rIN/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - સેટીંગ્સ - પ્રતિસાદ મોકલો - ઓવરવ્યૂ - ઇતિહાસ - સુજાવ - હેલ્લો. - હેલ્લો. - વપરાશ ની શરતો. - હું વપરાશની શરતો વાંચીને સ્વીકાર કરું છુ - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - દેશ - ઉંમર - કૃપા કરી સાચી ઉમર નાખો. - જાતિ - પુરૂષ - સ્ત્રી - અન્ય - મધુપ્રમેહનો પ્રકાર - પ્રકાર 1 - પ્રકાર 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - કૃપા કરી સાચી માહિતી ભરો. - કૃપા કરી બધી વિગતો ભરો. - રદ કરવું - ફેરફાર કરો - 1 વાંચેલું કાઢ્યું - પહેલા હતી એવી સ્થિતિ - છેલ્લી ચકાસણી: - ગયા મહિના નું સરવૈયું: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - હમમ, સમજાઈ ગયું - પ્રતિક્રિયા મોકલો - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - પ્રતિક્રિયા મોકલો - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-gv-rIM/google-playstore-strings.xml b/app/src/main/res/android/values-gv-rIM/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-gv-rIM/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-gv-rIM/strings.xml b/app/src/main/res/android/values-gv-rIM/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-gv-rIM/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-ha-rHG/google-playstore-strings.xml b/app/src/main/res/android/values-ha-rHG/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-ha-rHG/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-ha-rHG/strings.xml b/app/src/main/res/android/values-ha-rHG/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-ha-rHG/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-haw-rUS/google-playstore-strings.xml b/app/src/main/res/android/values-haw-rUS/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-haw-rUS/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-haw-rUS/strings.xml b/app/src/main/res/android/values-haw-rUS/strings.xml deleted file mode 100644 index 7fa326e3..00000000 --- a/app/src/main/res/android/values-haw-rUS/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Kauna - Hoʻouna i ka manaʻo - Nānā wiki - Mōʻaukala - ʻŌlelo hoʻohani - Aloha mai. - Aloha mai. - Nā Kuleana hana. - Ua heluhelu a ʻae au i nā Kuleana hana - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - Makemake mākou i mau mea iki ma mua o ka hoʻomaka ʻana. - ʻĀina - Makahiki - E kikokiko i ka makahiki kūpono ke ʻoluʻolu. - Keka - Kāne - Wahine - Nā Mea ʻē aʻe - Ke ʻAno Mimi kō - Ke ʻAno 1 - Ke ʻAno 2 - Ke Ana makemake - Share anonymous data for research. - Hiki iā ʻoe ke hoʻololi i kēia makemake ma hope aku. - Holomua - HOʻOMAKA ʻANA - ʻAʻohe ʻike ma ʻaneʻi i kēia manawa. \n Hoʻohui i kāu heluhelu mua ma ʻaneʻi. - Hoʻohui i ke Ana Monakō Koko - Ke Ana paʻapūhia - - Hola - Wā i ana ʻia - Ma mua o ka ʻaina kakahiaka - Ma hope o ka ʻaina kakahiaka - Ma mua o ka ʻaina awakea - Ma hope o ka ʻaina awakea - Ma mua o ka ʻaina ahiahi - Ma hope o ka ʻaina ahiahi - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Holoi - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Mana - Nā Kuleana hana - Ke ʻAno - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Haku i nā māhele - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - E hoʻi pinepine - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Hoʻouna i ka manaʻo - Inā loaʻa i ka pilikia ʻoe a i ʻole loaʻa iā ʻoe ka manaʻo no Glucosio, hoʻopaipai mākou i ka waiho ʻana o ia mea āu i ka papa kauna i hiki mākou ke holomua iā Glucosio. - Hoʻohui i ka heluhelu - E hoʻohui pinepine i kou mau heluhelu monakō i hiki mākou ke kōkua i ka nānā ʻana o kou ana monakō ma o ka manawa holomua. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-hi-rIN/google-playstore-strings.xml b/app/src/main/res/android/values-hi-rIN/google-playstore-strings.xml deleted file mode 100644 index 45ee4ed6..00000000 --- a/app/src/main/res/android/values-hi-rIN/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - शर्करा - शर्करा मधुमेह के साथ लोगों के लिए एक उपयोगकर्ता केंद्रित स्वतंत्र और खुला स्रोत अनुप्रयोग है - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - पर किसी भी कीड़े, मुद्दों, या सुविधा का अनुरोध दायर करें: - https://github.com/glucosio/android - अधिक जानकारी: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-hi-rIN/strings.xml b/app/src/main/res/android/values-hi-rIN/strings.xml deleted file mode 100644 index fd1df0cc..00000000 --- a/app/src/main/res/android/values-hi-rIN/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - सेटिंग - प्रतिक्रिया भेजें - अवलोकन - इतिहास - झुकाव - नमस्ते. - नमस्ते. - उपयोग की शर्तें. - मैंने पढ़ा है और उपयोग की शर्तों को स्वीकार कर लिया है - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - हम तो बस आप पहले शुरू हो रही कुछ जल्दी चीजों की जरूरत है. - देश - आयु - एक वैध उम्र में दर्ज करें. - लिंग - नर - महिला - अन्य - मधुमेह टाइप - श्रेणी 1 - श्रेणी 2 - पसंदीदा इकाई - अनुसंधान के लिए गुमनाम डेटा साझा करें. - आप बाद में सेटिंग में इन बदल सकते हैं. - अगला - शुरू हो जाओ - अभी तक उपलब्ध नहीं है जानकारी. \n यहां अपने पहले पढ़ने जोड़ें. - रक्त शर्करा के स्तर को जोड़ें - एकाग्रता - तारीख - समय - मापा - नाश्ते से पहले - नाश्ते के बाद - दोपहर के भोजन से पहले - दोपहर के भोजन के बाद - रात के खाने से पहले - रात के खाने के बाद - सामान्य - पुनः जाँच - रात - अन्य - रद्द - जोड़ें - कृपया कोई मान्य मान दर्ज करें. - सभी क्षेत्रों को भरें. - हटाना - संपादित - 1 पढ़ने हटाए गए - पूर्ववत - अंतिम जांच: - पिछले एक महीने में रुझान: - सीमा और स्वस्थ में - माह - दिन - सप्ताह - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - के बारे में - संस्करण - उपयोग की शर्तें - टाइप - वजन - कस्टम माप श्रेणी - - कार्बोहाइड्रेट और चीनी का सेवन कम करने में मदद करने के लिए और अधिक ताजा, असंसाधित खाद्य पदार्थ का सेवन करें. - चीनी और कार्बोहाइड्रेट का सेवन को नियंत्रित करने के डिब्बाबंद खाद्य पदार्थ और पेय पदार्थों पर पोषण लेबल पढ़ें. - जब बाहर खा रहे हो, तब बिना अतिरिक्त मक्खन या तेल से भूने मांस या मछली के लिये पूछिये। - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - सहायक - अभी अद्यतन करें - ठीक मिल गया - प्रतिक्रिया सबमिट करें - पढ़ना जोड़ें - अपने वजन को अपडेट करें - Make sure to update your weight so Glucosio has the most accurate information. - अपने अनुसंधान में ऑप्ट अद्यतन - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - श्रेणियों बनाएँ - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - यहाँ अक्सर चेक - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - प्रतिक्रिया सबमिट करें - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - एक पढ़ने जोड़ें - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - पसंदीदा श्रेणी - कस्टम श्रेणी - न्यूनतम मूल्य - अधिकतम मूल्य - अब यह कोशिश करो - diff --git a/app/src/main/res/android/values-hil-rPH/google-playstore-strings.xml b/app/src/main/res/android/values-hil-rPH/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-hil-rPH/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-hil-rPH/strings.xml b/app/src/main/res/android/values-hil-rPH/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-hil-rPH/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-hmn-rCN/google-playstore-strings.xml b/app/src/main/res/android/values-hmn-rCN/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-hmn-rCN/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-hmn-rCN/strings.xml b/app/src/main/res/android/values-hmn-rCN/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-hmn-rCN/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-ho-rPG/google-playstore-strings.xml b/app/src/main/res/android/values-ho-rPG/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-ho-rPG/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-ho-rPG/strings.xml b/app/src/main/res/android/values-ho-rPG/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-ho-rPG/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-hr-rHR/google-playstore-strings.xml b/app/src/main/res/android/values-hr-rHR/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-hr-rHR/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-hr-rHR/strings.xml b/app/src/main/res/android/values-hr-rHR/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-hr-rHR/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-hsb-rDE/google-playstore-strings.xml b/app/src/main/res/android/values-hsb-rDE/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-hsb-rDE/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-hsb-rDE/strings.xml b/app/src/main/res/android/values-hsb-rDE/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-hsb-rDE/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-ht-rHT/google-playstore-strings.xml b/app/src/main/res/android/values-ht-rHT/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-ht-rHT/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-ht-rHT/strings.xml b/app/src/main/res/android/values-ht-rHT/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-ht-rHT/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-hu-rHU/google-playstore-strings.xml b/app/src/main/res/android/values-hu-rHU/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-hu-rHU/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-hu-rHU/strings.xml b/app/src/main/res/android/values-hu-rHU/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-hu-rHU/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-hy-rAM/google-playstore-strings.xml b/app/src/main/res/android/values-hy-rAM/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-hy-rAM/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-hy-rAM/strings.xml b/app/src/main/res/android/values-hy-rAM/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-hy-rAM/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-hz-rNA/google-playstore-strings.xml b/app/src/main/res/android/values-hz-rNA/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-hz-rNA/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-hz-rNA/strings.xml b/app/src/main/res/android/values-hz-rNA/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-hz-rNA/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-ig-rNG/google-playstore-strings.xml b/app/src/main/res/android/values-ig-rNG/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-ig-rNG/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-ig-rNG/strings.xml b/app/src/main/res/android/values-ig-rNG/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-ig-rNG/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-ii-rCN/google-playstore-strings.xml b/app/src/main/res/android/values-ii-rCN/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-ii-rCN/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-ii-rCN/strings.xml b/app/src/main/res/android/values-ii-rCN/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-ii-rCN/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-ilo-rPH/google-playstore-strings.xml b/app/src/main/res/android/values-ilo-rPH/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-ilo-rPH/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-ilo-rPH/strings.xml b/app/src/main/res/android/values-ilo-rPH/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-ilo-rPH/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-in-rID/google-playstore-strings.xml b/app/src/main/res/android/values-in-rID/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-in-rID/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-in-rID/strings.xml b/app/src/main/res/android/values-in-rID/strings.xml deleted file mode 100644 index 0fefd9e9..00000000 --- a/app/src/main/res/android/values-in-rID/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Pengaturan - Kirim umpan balik - Ikhtisar - Riwayat - Kiat - Halo. - Halo. - Ketentuan Penggunaan. - Saya telah membaca dan menerima syarat penggunaan - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - Kami hanya perlu beberapa hal sebelum Anda bisa mulai. - Negara - Umur - Mohon masukkan umur valid. - Gender - Laki-laki - Perempuan - Lainnya - Tipe diabetes - Tipe 1 - Tipe 2 - Unit utama - Berbagi data anonim untuk riset. - Anda dapat mengganti ini nanti di pengaturan. - BERIKUTNYA - MEMULAI - No info available yet. \n Add your first reading here. - Tambah Kadar Glukosa Darah - Konsentrasi - Tanggal - Waktu - Terukur - Sebelum sarapan - Setelah sarapan - Sebelum makan siang - Setelah makan siang - Sebelum makan malam - Setelah makan malam - Umum - Recheck - Malam - Other - BATAL - TAMBAH - Please enter a valid value. - Mohon lengkapi semua isian. - Hapus - Edit - 1 bacaan dihapus - URUNG - Periksa terakhir: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - Tentang - Versi - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-is-rIS/google-playstore-strings.xml b/app/src/main/res/android/values-is-rIS/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-is-rIS/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-is-rIS/strings.xml b/app/src/main/res/android/values-is-rIS/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-is-rIS/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-it-rIT/google-playstore-strings.xml b/app/src/main/res/android/values-it-rIT/google-playstore-strings.xml deleted file mode 100644 index 14519a29..00000000 --- a/app/src/main/res/android/values-it-rIT/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio è un app focalizzata sugli utenti, gratuita e opensource per persone affette da diabete - Usando Glucosio, puoi inserire e tracciare i livelli di glicemia, supportare anonimamente la ricerca sul diabete attraverso la condivisione anonima dell\'andamento della glicemia e di dati demografici e ottenere consigli utili attraverso il nostro assistente. Glucosio rispetta la tua privacy e avrai sempre il controllo dei tuoi dati. - * Focalizzata sull\'utente. Glucosio è progettata con funzionalità e un design che risponde alle necessità degli utenti e siamo costantemente aperti a suggerimenti per migliorare. - * Open Source. Glucosio ti dà la libertà di usare, copiare, studiare e modificare il codice sorgente di una qualsiasi delle nostre applicazioni ed eventualmente contrubuire al progetto stesso. - * Gestisci i dati. Glucosio ti consente di tracciare e gestire i tuoi dati sul diabete tramite un\'interfaccia intuitiva e moderna, costruita seguendo i consigli ricevuti da diabetici. - *Aiuta la ricerca. Glucosio offre agli utenti l\'opzione di acconsentire all\'invio anonimo di dati sul diabete e informazioni demografiche e di condividerli con i ricercatori. - Si prega di inviare eventuali bug, problemi o richieste di nuove funzionalità a: - https://github.com/glucosio/android - Più dettagli: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-it-rIT/strings.xml b/app/src/main/res/android/values-it-rIT/strings.xml deleted file mode 100644 index 691f75e4..00000000 --- a/app/src/main/res/android/values-it-rIT/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Impostazioni - Invia feedback - Riepilogo - Cronologia - Suggerimenti - Ciao. - Ciao. - Condizioni d\'uso. - Ho letto e accetto le condizioni d\'uso - I contenuti del sito web e dell\'applicazione Glucosio, come testo, grafici, immagini e altro materiale (\"Contenuti\") sono a scopo puramente informativo. Le informazioni non sono da considerarsi come sostitutive di consigli medici professionali, diagnosi o trattamenti terapeutici. Noi incoraggiamo gli utenti di Glucosio a chiedere sempre il parere del proprio medico curante o di personale qualificato su qualsiasi domanda tu abbia inerente una condizione medica. Mai ignorare i consigli di una consulenza medica professionale o ritardarne la ricerca a causa di qualcosa letta nel sito web di Glucosio o nella nostra applicazione. Il sito web di Glucosio, Blog, Wiki e altri contenuti accessibili dovrebbero essere usati solo per gli scopi sopra descritti. \n In affidamento su qualsiasi informazione fornita da Glucosio, dai membri del team di Glucosio, volontari o altri che appaiono nel sito web o applicazione, usale a tuo rischio e pericolo. Il Sito Web e i contenuti vengono forniti \"così come sono\". - Abbiamo solo bisogno di un paio di cose veloci prima di iniziare. - Nazione - Età - Inserisci una età valida. - Sesso - Maschio - Femmina - Altro - Tipo di diabete - Tipo 1 - Tipo 2 - Unità preferita - Condividi i dati anonimi per la ricerca. - Puoi cambiare queste impostazioni dopo. - SUCCESSIVO - INIZIAMO - Nessuna informazione disponibile. \n Aggiungi la tua prima lettura qui. - Aggiungi livello di Glucosio nel sangue - Concentrazione - Data - Ora - Misurato - Prima di colazione - Dopo colazione - Prima di pranzo - Dopo pranzo - Prima della cena - Dopo cena - Generale - Ricontrollare - Notte - Altro - ANNULLA - AGGIUNGI - Inserisci un valore valido. - Per favore compila tutti i campi. - Cancella - Modifica - 1 lettura cancellata - ANNULLA - Ultimo controllo: - Tendenza negli ultimi mesi: - nello standard e sano - Mese - Giorno - Settimana - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - Informazioni - Versione - Termini di utilizzo - Tipo - Peso - Categoria personalizzata - - Mangiare più alimenti freschi, non trasformati aiuta a ridurre l\'assunzione dei carboidrati e degli zuccheri. - Leggere l\'etichetta nutrizionale su alimenti confezionati e bevande per controllare l\'assunzione di zuccheri e carboidrati. - Quando mangi fuori, chiedi pesce o carne alla griglia senza aggiunta di burro o olio. - Quando mangi fuori, chiedi se hanno piatti a basso contenuto di sodio. - Quando mangi fuori, mangia le stesse porzioni che mangeresti a casa e portati via gli avanzi. - Quando mangi fuori ordina elementi con basso contenuto calorico, come condimenti per insalata, anche se non sono disponibili in menu. - Quando mangi fuori chiedi dei sostituti. Al posto di patatine fritte, richiedi una doppia porzione di verdure ad esempio insalata, fagioli o broccoli. - Quando mangi fuori, ordina alimenti non impanati o fritti. - Quando mangi fuori chiedi per le salse, sugo e condimenti per insalate \"a parte.\" - Senza zucchero non significa davvero senza zuccheri aggiunti. Vuol dire 0,5 grammi (g) di zucchero per porzione, quindi state attenti a non indulgere in molti articoli senza zuccheri. - Mantenere un peso nella norma, aiuta a controllare gli zuccheri nel sangue. Il tuo medico, un dietista o un istruttore di fitness può aiutarti a iniziare un piano di lavoro adatto a te che funziona. - Controllare la glicemia e tenerne traccia in un applicazione come Glucosio due volte al giorno, ti aiuterà ad essere consapevole dei risultati e delle scelte alimentari e dello stile di vita. - Esegui esami dell\'emoglobina glicata (HbA1c) per stabilire i valori medi di glicemia degli ultimi 2 o 3 mesi. Il tuo medico dovrebbe dirti quanto spesso sarà necessario eseguire quest\'esame. - Tener traccia del consumo dei carboidrati può essere importante come il controllo della glicemia, in quanto i carboidrati influenzano i livelli di glucosio nel sangue. Parla con il tuo medico o nutrizionista dell\'assunzione dei carboidrati. - Controllare la pressione sanguigna, il colesterolo e i trigliceridi è importante poiché i diabetici sono più a rischio di malattie cardiache. - Ci sono diversi approcci di dieta che puoi affrontare mangiando più sano e contribuendo a migliorare i tuoi risultati diabetici. Chiedere il parere di un dietologo su cosa funziona meglio per te e il tuo budget. - Fare esercizio fisico regolarmente è particolarmente importante per i diabetici e può aiutare a mantenere un peso sano. Parla con un medico degli esercizi che sono più adatti al tuo caso. - L\'insonnia può farti mangiare molto più del necessario: cibi spazzatura possono avere un impatto negativo sulla tua salute. Migliora la qualità del tuo sonno e consulta uno specialista se riscontri difficoltà. - Lo stress può avere un impatto negativo sul diabete, parla con il tuo medico o altri operatori sanitari per far fronte allo stress. - Prenotare una visita dal tuo medico almeno una volta l\'anno e avere comunicazioni regolari durante tutto l\'anno è importante per i diabetici per prevenire qualsiasi improvvisa insorgenza di problemi di salute associati. - Prendi i farmaci come prescritti dal tuo medico, anche piccole variazioni possono incidere sul tuo livello di glucosio e causare effetti collaterali. Se hai difficoltà a ricordare chiedi al tuo medico come gestire i farmaci. - - - I diabetici di lunga data potrebbero avere un alto rischio di complicanze associate al diabete. Parla con il tuo medico su come l\'età giochi un ruolo nel tuo diabete e come monitorare questi rischi. - Limita la quantità di sale che usi per cucinare e che aggiungi ai pasti dopo la cottura. - - Assistente - AGGIORNA ORA - OK, CAPITO - INVIA FEEDBACK - AGGIUNGI UNA MISURAZIONE - Aggiorna il tuo peso - Aggiorna il peso regolarmente così Glucosio ha le informazioni più accurate. - Aggiorna la tua scelta di mandare il tuoi dati in modo anonimo ai gruppo di ricerca - Puoi sempre acconsentire o meno alla condivisione dei dati a favore della ricerca sul diabete, ma ricorda che tutti i dati condivisi sono completamente anonimi. Condividiamo solo dati demografici e le tendenze dei livelli di glucosio. - Crea categorie - Glucosio ha delle categorie di default per l\'immissione dei valori di glucosio, ma puoi creare categorie personalizzate nelle impostazioni per soddisfare le tue necessità. - Controllare spesso qui - L\'assistente di Glucosio fornisce constanti suggerimenti e continuerà a migliorare, perciò controlla sempre qui azioni che possono migliorare la tua esperienza d\'uso di Glucosio e altri utili consigli. - Invia feedback - Se trovi eventuali problemi tecnici o hai feedback su Glucosio ti invitiamo a segnalarli nel menu impostazioni, al fine di aiutarci a migliorare Glucosio. - Aggiungi una lettura - Assicurati di aggiungere regolarmente le letture della tua glicemia, così possiamo aiutarti a monitorare i livelli di glucosio nel corso del tempo. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Intervallo desiderato - Intervallo personalizzato - Valore minimo - Valore massimo - PROVALO ORA - diff --git a/app/src/main/res/android/values-iu-rNU/google-playstore-strings.xml b/app/src/main/res/android/values-iu-rNU/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-iu-rNU/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-iu-rNU/strings.xml b/app/src/main/res/android/values-iu-rNU/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-iu-rNU/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-iw-rIL/google-playstore-strings.xml b/app/src/main/res/android/values-iw-rIL/google-playstore-strings.xml deleted file mode 100644 index 1ed08674..00000000 --- a/app/src/main/res/android/values-iw-rIL/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio הוא יישום בקוד פתוח עבור אנשים עם סוכרת - בזמן השימוש ב Glucosio אתם יכולים לעקוב אחר רמות הסוכר בדם, לתמוך במחקר הסוכרת באופן יעיל באמצעות שיתוף מידע אנונימי. Glucosio מכבדת את הפרטיות שלך ושומרת על פרטי המידע שלך. - Glucosio נבנה לשימוש היוצר עם אפרויות ועיצוב מותאמים אישית. אנחנו פתוחים ומשוב וחוות דעת לשיפור. - * קוד פתוח. אפליקציות Glucosio נותנת לכם את החופש להשתמש, להעתיק, ללמוד, ולשנות את קוד המקור של כל האפליקציות שלנו, וגם לתרום לפרויקט Glucosio. - * ניהול נתונים. Glucosio מאפשר לכם לעקוב אחר נתוני הסוכרת בממשק אינטואיטיבי, מודרני אשר נבנה על בסיס משוב של חולי סוכרת. - * תומך מחקר. Glucosio apps מאפשר למשתמשים להצטרף ולשתף נתונים אנונימיים ומידע דמוגרפי עם חוקרי סוכרת. - אנא דווחו על באגים ו\או הצעות לאפשרויות חדשות ולשיפורים ב: - https://github.com/glucosio/android - פרטים נוספים: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-iw-rIL/strings.xml b/app/src/main/res/android/values-iw-rIL/strings.xml deleted file mode 100644 index 98748e9e..00000000 --- a/app/src/main/res/android/values-iw-rIL/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - הגדרות - שלח משוב - מבט על - היסטוריה - הצעות - שלום. - שלום. - תנאי שימוש - קראתי ואני מסכים לתנאי השימוש - התכנים של אתר Glucosio, יישומים, כגון טקסט, גרפיקה, תמונות, חומר אחר (\"תוכן\") הן למטרות שיתוף מידע \ אינפורמציה בלבד. התוכן לא נועד לשמש כתחליף לייעוץ רפואי, אבחון או טיפול מוסמך. אנו ממליצים למשתמשי Glucosio תמיד להתייעץ עם הרופא שלך או ספק שירותי בריאות מוסמכים אחרים על כל שאלה לגבי מצבך רפואי. לעולם אל תמנע או תתעכב במציאת ייעוץ רפואי מוסמך בגלל משהו שקראת באתר Glucosio או ביישומים שלנו. אתר האינטרנט Glucosio, הבלוג, הויקי וכל תוכן אחר באתר האינטרנט (\"האתר\") אמור לשמש רק לצרכים המתוארים לעיל. \n הסתמכות על כל מידע המסופק על ידי Glucosio, חברי צוות האתר, או מתנדבים אחרים המופיעים באתר או ביישומים שלנו הוא באחריות המשתמש בלבד. האתר והתוכן הינם מסופקים על בסיס כהוא וללא אחריות. - אנא מלא את הפרטים הבאים בשביל להתחיל. - מדינה - גיל - אנא הזן גיל תקין. - מין - זכר - נקבה - אחר - סוג סוכרת - סוכרת סוג 1 - סוכרת סוג 2 - יחידת מדידה מעודפת - שתף מידע אנונימי למחקר. - תוכלו לשנות את ההגדרות האלו מאוחר יותר. - הבא - התחל - אין מידע זמין כעט.\n הוסף את קריאת המדדים הראשונה שלך כאן. - הוסף רמת סוכר הדם - ריכוז - תאריך - שעה - זמן מדידה - לפני ארוחת בוקר - לאחר ארוחת הבוקר - לפני ארוחת הצהריים - לאחר ארוחת הצהריים - לפני ארוחת הערב - לאחר ארוחת הערב - כללי - בדוק מחדש - לילה - אחר - ביטול - להוסיף - אנא הזינו ערך תקין. - אנא מלאו את כל השדות. - למחוק - ערוך - מדידה אחת נמחקה - בטל - בדיקה אחרונה: - המגמה בחודש האחרון: - בטווח ובריא - חודש - יום - שבוע - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - אודות - גרסה - תנאי שימוש - סוג - משקל - קטגורית מדידה מותאמת אישית - - אכול יותר מזון טרי ולא מעובד כדי לצמצם את צריכת הפחמימות והסוכר. - קרא את התוויות תזונתיות על מזונות ארוזים ומשקאות בכדי לשלוט בצריכת הפחמימות והסוכר. - כאשר אתם אוכלים בחוץ, בקשו דג או בשר צלוי ללא תוספת חמאה או שמן. - כאשר אוכלים בחוץ, תשאלו אם יש להם מנות עם מעט אן בלי נתרן. - כאשר אוכלים בחוץ, איכלו את אותו גודל המנות שתאכלו בבית, וקחו את השאריות ללכת. - כאשר אוכלים בחוץ בקשו מזונות מעוטי קלוריות, כגון רטבים לסלט, אפילו אם הם לא בתפריט. - כאשר אוכלים בחוץ בקשו החלפות. במקום צ\'יפס, בקשו כמות כפולה של ירק כמו סלט, שעועית ירוקה או ברוקולי. - כאשר אתם אוכלים בחוץ, הזמינו מזונות ללא ציפוי לחם או טיגון. - כאשר אתם אוכלים בחוץ בקשו רטבים, ורטבים לסלט \"בצד.\" - \"ללא סוכר\" לא באמת אומר ללא סוכר. בד\"כ זה אומר 0.5 גרם סוכר למנה, היזהרו לא לאכל יותר מדי פריטים \"ללא סוכר\". - הגעה אל משקל תקין מסייעת בשליטה על רמת הסוכרים בדם. הרופא שלך, דיאטן, ומאמן כושר יעזרו לך בלבנות תוכנית אישית לירידה ושמירה על משקל תקין. - בדיקת רמת סוכר הדם ומעקב תכוף באפליקציה כמו Glucosio פעמיים ביום, יעזור לך להיות מודע לגבי התוצאות של בחירות במזון ואורח בחיים שלך. - בצעו בדיקת דם A1c כדי לגלות את רמת הסוכר הממוצעת שלכם ל 2-3 חודשים האחרונים. הרופא שלכם יוכל לוודא באיזו תדירות יש צורך שתבצעו את הבדיקה הזו. - מעקב אחר צריכת הפחמימות שלכם יכולה להיות לא פחות חשובה מבדיקת רמות סוכר הדם שלכם, מאחר ופחמימות משפיעות על רמות הסוכר בדם. דברו עם הרופא שלכם או דיאטנית לגבי צריכת הפחמימות. - שליטה בלחץ הדם, הכולסטרול, ורמת הטריגליצרידים חשוב מכיוון שסוכרתיים נמצאים בסיכון גבוה יותר למחלות לב. - ישנן מספר גישות דיאטה שניתן לנקוט כדי לאכול בריא יותר ולסייע לשפר את מצב הסוכרת שלכם. התייעצו עם רופא או דיאטנית על הגישות המתאימות לכם ולתקציב שלכם. - פעילות גופנית סדירה חשובה במיוחד בשביל סוכרתיים ותורמת לשמירה על משקל תקין. התייעצו עם רופא על תרגילים ותוכניות אימון שיתאימו לכם. - מחסור בשינה עלול לגרום לרעב מוגבר ואכילת יתר ובמיוחד \"ג\'אנק-פוד\". מצב שעלול להשפיע לרעה על בריאותכם. הקפידו על שנת לילה טובה ופנו להתייעצות עם רופא או מומחה שינה אם אתם חווים קשיים בשינה. - לחץ יכול להוות השפעה שלילית על הסוכרת. התייעצו עם רופא או מומחה לגבי התמודדות עם לחצים. - ביקור שנתי וששימור תקשורת קבועה עם הרופא שלכם זה כלי חשוב למניעת התפרצויות פתאומיות ומניעת בעיות בריאותיות נלוות. - קחו את התרופות כנדרש על ידי הרופא. אפילו מעידות קטנות עלולות להשפיע על רמת הסוכר בדם וגרימת תופעות נלוות. אם אתם חווים קשיים לזכור לקחת את התרופות שלכם, התייעצו עם רופא לגבי ניהול לו\"ז תרופות ותזכורות. - - - חולי סוכרת מבוגרים עלולים להיות בסיכון גבוה יותר לבעיות בריאות הקשורים בסוכרת. התייעצו עם רופא על איך בגילכם ממלאת תפקיד הסכרת שלכם ולמה עליכם לצפות. - הגבל את כמות המלח בבישול ובארוחה. - - מסייע - עדכון - אוקיי - שלח משוב - הוסף מדידה - עדכן את משקלך - הקפד לעדכן את המשקל שלך כך שב-Glucosio יהיה את המידע המדויק ביותר. - עדכון שיתוף מידע למחקר (opt-in) - אתם יכוליםלהסכים להצטרף (opt-in) או לבטל (opt-out) שיתוף מידע למחקר, אבל זיכרו, כל הנתונים המשותפים הוא אנונימיים לחלוטין. אנחנו רק חולקים מידע דמוגרפי ואת רמת ומגמת הגלוקוז. - צור קטגוריות - Glucosio מגיע עם קטגוריות ברירת המחדל עבור קלט רמת הגלוקוז, אך באפשרותך ליצור קטגוריות מותאמות אישית הגדרות כדי להתאים לצרכים הייחודיים שלך. - בדוק כאן לעיתים קרובות - העוזר ב-Glucosio מספק עצות קבועות לשמור על שיפור, בידקו בתכיפות לגבי שימושי פעולות שבאפשרותך לבצע כדי לשפר את החוויה Glucosio שלך, טיפים שימושיים נוספים. - שלח משוב - אם אתם מוצאים כל בעיות טכניות או לקבל משוב אודות Glucosio אנו מעודדים אותך להגיש את זה בתפריט \' הגדרות \' כדי לסייע לנו לשפר את Glucosio. - הוסף מדידה - הקפד להוסיף באופן קבוע את מדידות רמת הסוכר בדם שלך כדי שנוכל לעזור לך לעקוב אחר רמות הסוכר שלך לאורך זמן. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - טווח מועדף - טווח מותאם אישית - ערך מינימום - ערך מקסימום - נסה זאת עכשיו - diff --git a/app/src/main/res/android/values-ja-rJP/google-playstore-strings.xml b/app/src/main/res/android/values-ja-rJP/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-ja-rJP/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-ja-rJP/strings.xml b/app/src/main/res/android/values-ja-rJP/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-ja-rJP/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-jbo-rEN/google-playstore-strings.xml b/app/src/main/res/android/values-jbo-rEN/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-jbo-rEN/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-jbo-rEN/strings.xml b/app/src/main/res/android/values-jbo-rEN/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-jbo-rEN/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-ji-rDE/google-playstore-strings.xml b/app/src/main/res/android/values-ji-rDE/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-ji-rDE/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-ji-rDE/strings.xml b/app/src/main/res/android/values-ji-rDE/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-ji-rDE/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-jv-rID/google-playstore-strings.xml b/app/src/main/res/android/values-jv-rID/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-jv-rID/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-jv-rID/strings.xml b/app/src/main/res/android/values-jv-rID/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-jv-rID/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-ka-rGE/google-playstore-strings.xml b/app/src/main/res/android/values-ka-rGE/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-ka-rGE/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-ka-rGE/strings.xml b/app/src/main/res/android/values-ka-rGE/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-ka-rGE/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-kab/google-playstore-strings.xml b/app/src/main/res/android/values-kab/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-kab/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-kab/strings.xml b/app/src/main/res/android/values-kab/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-kab/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-kdh/google-playstore-strings.xml b/app/src/main/res/android/values-kdh/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-kdh/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-kdh/strings.xml b/app/src/main/res/android/values-kdh/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-kdh/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-kg-rCG/google-playstore-strings.xml b/app/src/main/res/android/values-kg-rCG/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-kg-rCG/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-kg-rCG/strings.xml b/app/src/main/res/android/values-kg-rCG/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-kg-rCG/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-kj-rAO/google-playstore-strings.xml b/app/src/main/res/android/values-kj-rAO/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-kj-rAO/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-kj-rAO/strings.xml b/app/src/main/res/android/values-kj-rAO/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-kj-rAO/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-kk-rKZ/google-playstore-strings.xml b/app/src/main/res/android/values-kk-rKZ/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-kk-rKZ/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-kk-rKZ/strings.xml b/app/src/main/res/android/values-kk-rKZ/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-kk-rKZ/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-kl-rGL/google-playstore-strings.xml b/app/src/main/res/android/values-kl-rGL/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-kl-rGL/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-kl-rGL/strings.xml b/app/src/main/res/android/values-kl-rGL/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-kl-rGL/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-km-rKH/google-playstore-strings.xml b/app/src/main/res/android/values-km-rKH/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-km-rKH/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-km-rKH/strings.xml b/app/src/main/res/android/values-km-rKH/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-km-rKH/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-kmr-rTR/google-playstore-strings.xml b/app/src/main/res/android/values-kmr-rTR/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-kmr-rTR/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-kmr-rTR/strings.xml b/app/src/main/res/android/values-kmr-rTR/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-kmr-rTR/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-kn-rIN/google-playstore-strings.xml b/app/src/main/res/android/values-kn-rIN/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-kn-rIN/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-kn-rIN/strings.xml b/app/src/main/res/android/values-kn-rIN/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-kn-rIN/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-ko-rKR/google-playstore-strings.xml b/app/src/main/res/android/values-ko-rKR/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-ko-rKR/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-ko-rKR/strings.xml b/app/src/main/res/android/values-ko-rKR/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-ko-rKR/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-kok-rIN/google-playstore-strings.xml b/app/src/main/res/android/values-kok-rIN/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-kok-rIN/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-kok-rIN/strings.xml b/app/src/main/res/android/values-kok-rIN/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-kok-rIN/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-ks-rIN/google-playstore-strings.xml b/app/src/main/res/android/values-ks-rIN/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-ks-rIN/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-ks-rIN/strings.xml b/app/src/main/res/android/values-ks-rIN/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-ks-rIN/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-ku-rTR/google-playstore-strings.xml b/app/src/main/res/android/values-ku-rTR/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-ku-rTR/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-ku-rTR/strings.xml b/app/src/main/res/android/values-ku-rTR/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-ku-rTR/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-kv-rKO/google-playstore-strings.xml b/app/src/main/res/android/values-kv-rKO/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-kv-rKO/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-kv-rKO/strings.xml b/app/src/main/res/android/values-kv-rKO/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-kv-rKO/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-kw-rGB/google-playstore-strings.xml b/app/src/main/res/android/values-kw-rGB/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-kw-rGB/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-kw-rGB/strings.xml b/app/src/main/res/android/values-kw-rGB/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-kw-rGB/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-ky-rKG/google-playstore-strings.xml b/app/src/main/res/android/values-ky-rKG/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-ky-rKG/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-ky-rKG/strings.xml b/app/src/main/res/android/values-ky-rKG/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-ky-rKG/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-la-rLA/google-playstore-strings.xml b/app/src/main/res/android/values-la-rLA/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-la-rLA/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-la-rLA/strings.xml b/app/src/main/res/android/values-la-rLA/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-la-rLA/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-lb-rLU/google-playstore-strings.xml b/app/src/main/res/android/values-lb-rLU/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-lb-rLU/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-lb-rLU/strings.xml b/app/src/main/res/android/values-lb-rLU/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-lb-rLU/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-lg-rUG/google-playstore-strings.xml b/app/src/main/res/android/values-lg-rUG/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-lg-rUG/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-lg-rUG/strings.xml b/app/src/main/res/android/values-lg-rUG/strings.xml deleted file mode 100644 index cde93df5..00000000 --- a/app/src/main/res/android/values-lg-rUG/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Setingi - Werezza obubaka - Overview - Ebyafayo - Obubonero - Hallo. - Gyebale. - Endagano ye Enkozesa - Mazze okusoma atte nzikiriza Endagano Z\'enkozesa - Ebintu ebiri ku mutingabagano ne appu za Glucosio, nga ebigambo, grafikis, ebifananyi ne ebintu ebikozesebwa ebirala byona (\"Ebintu\") bya kusoma kwoka. Ebintu bino tebigendereddwa ku kuzesebwa mu kifo ky\'obubaka bwe ddwaliro obukugu, okeberwa oba obujanjjabi. Tuwaniriza abakozesa Glucosio buli kaseera okunonya obubaka obutufu obwo omusawo oba omujanjabi omulala omukugu ng\'obabuza ebibuzo byona byoyina ebikwatagana n\'ekirwadde kyona. Togana nga bubaka bw\'abasawo abakugu oba n\'olwawo okubunonya lwakuba oyina byosomye ku mutinbagano gwa Glucosio oba mu appu z\'affe. Omutinbagano, bulogo, Wiki n\'engeri endala ez\'okukatimbe (\"Omutinbagano\") biyina okozesebwa mungeri y\'oka nga wetugambye wangulu.\n Okweyunira ku bubaka obuwerebwa Glucosio, ba memba ba tiimu ya Glucosio, bamuzira-kisa nabalala abana beera ku mutinbagano oba mu appu zaffe mukikola ku bulabe bwamwe. Omutinbagano N\'ebiriko biwerebwa nga bwebiri. - Twetagayo ebintu bitono nga tetunakuyamba kutandika. - Ensi - Emyaka - Tusoba oyingizemu emyaka emitufu. - Gender - Musajja - Mukazi - Endala - Ekika kya Sukali - Ekika Ekisoka - Ekika Eky\'okubiri - Empima Gy\'oyagala - Gaba obubaka bwa risaaki nga tekuli manya. - Osobola okukyusa setingi zino edda. - EKIDAKO - TANDIKA - Tewanabawo bubaka. \n Gatta esomayo esooka wano. - Gata levo ya Sukari ali mu Musaayi wano - Obukwafu - Olunaku - Essawa - Ebipimiddwa - Nga tonanywa kyayi - Ng\'omazze kyayi - Nga tonala ky\'emisana - Ng\'omazze okulya eky\'emisana - Nga tonalya ky\'eggulo - Ng\'omazze okulya eky\'eggulo - General - Ddamu okebere - Ekiro - Ebirala - SAZAMU - GATAKO - Tusaba oyingizemu enukutta entufu. - Tusaba ojuzzemu amabanga gona. - Sazamu - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-li-rLI/google-playstore-strings.xml b/app/src/main/res/android/values-li-rLI/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-li-rLI/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-li-rLI/strings.xml b/app/src/main/res/android/values-li-rLI/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-li-rLI/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-lij-rIT/google-playstore-strings.xml b/app/src/main/res/android/values-lij-rIT/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-lij-rIT/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-lij-rIT/strings.xml b/app/src/main/res/android/values-lij-rIT/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-lij-rIT/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-ln-rCD/google-playstore-strings.xml b/app/src/main/res/android/values-ln-rCD/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-ln-rCD/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-ln-rCD/strings.xml b/app/src/main/res/android/values-ln-rCD/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-ln-rCD/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-lo-rLA/google-playstore-strings.xml b/app/src/main/res/android/values-lo-rLA/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-lo-rLA/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-lo-rLA/strings.xml b/app/src/main/res/android/values-lo-rLA/strings.xml deleted file mode 100644 index 4d6bec01..00000000 --- a/app/src/main/res/android/values-lo-rLA/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - ຕັ້ງຄ່າ - ສົ່ງຂໍ້ຄິດເຫັນ - ພາບລວມ - ປະຫວັດ - ເຄັດລັບ - ສະບາຍດີ. - ສະບາຍດີ. - ເງື່ອນໄຂການໃຊ້. - ຂ້ອຍໄດ້ອ່ານ ແລະ ຍອມຮັບເງື່ອນໄຂການນຳໃຊ້ແລ້ວ - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - ປະເທດ - ອາຍຸ - ກະລຸນາປ້ອນອາຍຸທີ່ຖືກຕ້ອງ. - ເພດ - ຜູ້ຊາຍ - ຜູ້ຫຍິງ - ອື່ນໆ - ປະເພດຂອງພະຍາດເບົາຫວານ - ປະເພດທີ່ 1 - ປະເພດທີ່ 2 - ຫົວຫນ່ວຍທີ່ທ່ານມັກ - ແບ່ງປັນຂໍ້ມູນທີ່ບໍລະບູຊືສໍາລັບການຄົ້ນຄວ້າ. - ທ່ານສາມາດປ່ຽນແປງໃນການຕັ້ງຄ່າຕາມຫລັງ. - ຕໍ່ໄປ - ເລີ່ມຕົ້ນນຳໃຊ້ເລີຍ - ຍັງບໍ່ມີຂໍ້ຫຍັງເທື່ອ. \n ເພີ່ມການອ່ານທຳອິດຂອງທ່ານເຂົ້າໃນນີ້. - ເພີ່ມລະດັບເລືອດ Glucose - ຄວາມເຂັ້ມຂຸ້ນ - ວັນທີ່ - ເວລາ - ການວັດແທກ - ຫລັງຮັບປະທ່ານອາຫານເຊົ້າ - ກ່ອນຮັບປະທ່ານອາຫານເຊົ້າ - ຫລັງຮັບປະທ່ານອາຫານທ່ຽງ - ກ່ອນຮັບປະທ່ານອາຫານທ່ຽງ - ຫລັງຮັບປະທ່ານອາຫານຄຳ - ກ່ອນຮັບປະທ່ານອາຫານຄຳ - ທົ່ວໄປ - ກວດຄືນ - ຕອນກາງຄືນ - ອື່ນໆ - ອອກ - ເພີ່ມ - ກະລຸນາໃສ່ຄ່າຂໍ້ມູນທີ່ຖືກຕ້ອງ. - ກະລຸນາຕື່ມໃສ່ໃຫ້ຄົບທຸກຫ້ອງ. - ລຶບ - ແກ້ໄຂ - 1 reading deleted - ເອົາກັບຄືນ - ກວດສອບຄັ້ງຫຼ້າສຸດ: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - ກ່ຽວກັບ - ຫລູ້ນ - ເງື່ອນໄຂການໃຊ້ - ປະເພດ - Weight - Custom measurement category - - ຮັບປະທານອາຫານສົດໆເພື່ອຊ່ວຍລຸດປະລິມານທາດນໍ້ຕານ ແລະ ແປ້ງ. - ອ່ານປ້າຍທາງໂພຊະນາການຢູ່ກ່ອງອາຫານ ແລະ ເຄື່ອງດື່ມໃນການຄວບຄຸມທາດນ້ຳຕານ ແລະ ທາດແປ້ງ. - ເວລາທີ່ໄປຮັບປະທານອາຫານນອກບ້ານຂໍໃຫ້ສັງປີ້ງປາ ຫລື ຊີ້ນທີ່ບໍ່ມີເນີຍ ຫລື ນໍ້າມັນ. - ເວລາທີ່ໄປຮັບປະທານອາຫານນອກບ້ານໃຫ້ຖາມເບິງອາຫານທີ່ມີທາດໂຊດຽມຕຳ. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - ຜູ້ຊ່ວຍ - ອັບເດດຕອນນີ້ເລີຍ - Ok, ເຂົ້າໃຈແລ້ວ - ສົ່ງຄໍາຄິດເຫັນ - ເພີ່ມການອ່ານ - ອັບເດດນ້ຳຫນັກຂອງທ່ານ - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - ສົ່ງຄໍາຄິດເຫັນ - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - ເພີ່ມການອ່ານ - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-lt-rLT/google-playstore-strings.xml b/app/src/main/res/android/values-lt-rLT/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-lt-rLT/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-lt-rLT/strings.xml b/app/src/main/res/android/values-lt-rLT/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-lt-rLT/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-luy-rKE/google-playstore-strings.xml b/app/src/main/res/android/values-luy-rKE/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-luy-rKE/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-luy-rKE/strings.xml b/app/src/main/res/android/values-luy-rKE/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-luy-rKE/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-lv-rLV/google-playstore-strings.xml b/app/src/main/res/android/values-lv-rLV/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-lv-rLV/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-lv-rLV/strings.xml b/app/src/main/res/android/values-lv-rLV/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-lv-rLV/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-mai-rIN/google-playstore-strings.xml b/app/src/main/res/android/values-mai-rIN/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-mai-rIN/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-mai-rIN/strings.xml b/app/src/main/res/android/values-mai-rIN/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-mai-rIN/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-me-rME/google-playstore-strings.xml b/app/src/main/res/android/values-me-rME/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-me-rME/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-me-rME/strings.xml b/app/src/main/res/android/values-me-rME/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-me-rME/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-mg-rMG/google-playstore-strings.xml b/app/src/main/res/android/values-mg-rMG/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-mg-rMG/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-mg-rMG/strings.xml b/app/src/main/res/android/values-mg-rMG/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-mg-rMG/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-mh-rMH/google-playstore-strings.xml b/app/src/main/res/android/values-mh-rMH/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-mh-rMH/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-mh-rMH/strings.xml b/app/src/main/res/android/values-mh-rMH/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-mh-rMH/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-mi-rNZ/google-playstore-strings.xml b/app/src/main/res/android/values-mi-rNZ/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-mi-rNZ/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-mi-rNZ/strings.xml b/app/src/main/res/android/values-mi-rNZ/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-mi-rNZ/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-mk-rMK/google-playstore-strings.xml b/app/src/main/res/android/values-mk-rMK/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-mk-rMK/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-mk-rMK/strings.xml b/app/src/main/res/android/values-mk-rMK/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-mk-rMK/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-ml-rIN/google-playstore-strings.xml b/app/src/main/res/android/values-ml-rIN/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-ml-rIN/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-ml-rIN/strings.xml b/app/src/main/res/android/values-ml-rIN/strings.xml deleted file mode 100644 index 2c309d11..00000000 --- a/app/src/main/res/android/values-ml-rIN/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - സജ്ജീകരണങ്ങള്‍ - Send feedback - മേല്‍കാഴ്ച - നാള്‍വഴി - സൂത്രങ്ങള്‍ - നമസ്കാരം. - നമസ്കാരം. - ഉപയോഗനിബന്ധനകൾ. - ഞാൻ നിബന്ധനകൾ അംഗീകരിക്കുന്നു - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - രാജ്യം - വയസ്സു് - ഒരു സാധുതയുള്ള വയസ്സ് നൽകുക. - ലിംഗം - പുരുഷന്‍ - സ്ത്രീ - മറ്റുള്ളവ - പ്രമേഹത്തിന്റെ വിധം - ടൈപ്പു് 1 - ടൈപ്പു് 2 - ഉപയോഗിക്കേണ്ട ഏകകം - നിരീക്ഷണത്തിനായി വിവരങ്ങൾ നൽകുക. - ഇത് പിന്നീട് മാറ്റാവുന്നതാണു്. - അടുത്തത് - തുടങ്ങാം - ഒരു വിവരവും ലഭ്യമല്ല \n ആദ്യ നിരീക്ഷണം ചേർക്കുക. - രക്തത്തിലെ ഗ്ലൂക്കോസിന്റെ അളവു് ചേര്‍ക്കൂ - ഗാഢത - തീയതി - സമയം - അളന്നതു് - പ്രാതലിനു് മുമ്പു് - പ്രാതലിനു് ശേഷം - ഉച്ചയൂണിനു് മുമ്പു് - ഉച്ചയൂണിനു് ശേഷം - അത്താഴത്തിനു് മുമ്പു് - അത്താഴത്തിനു് ശേഷം - പൊതുവായത് - വീണ്ടും നോക്കുക - രാത്രി - മറ്റുള്ളവ - വേണ്ട - ചേര്‍ക്കൂ - ഒരു സാധുതയുള്ള മൂല്യം ചേർക്കുക. - ദയവായി എല്ലാ കോളങ്ങളും പൂരിപ്പിക്കുക. - നീക്കം ചെയ്യുക - മാറ്റം വരുത്തുക - 1 നിരീക്ഷണം മായിച്ചിരിക്കുന്നു - തിരുത്തുക - അവസാന നോട്ടം: - ഈ മാസത്തിലെ പോക്കു്: - പരിധിക്കുള്ളിൽ, ആരോഗ്യകരം - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - സംബന്ധിച്ച് - പതിപ്പ് - ഉപയോഗനിബന്ധനകൾ - തരം - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - സഹായി - ഇപ്പോൾ പുതുക്കുക - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-mn-rMN/google-playstore-strings.xml b/app/src/main/res/android/values-mn-rMN/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-mn-rMN/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-mn-rMN/strings.xml b/app/src/main/res/android/values-mn-rMN/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-mn-rMN/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-moh-rCA/google-playstore-strings.xml b/app/src/main/res/android/values-moh-rCA/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-moh-rCA/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-moh-rCA/strings.xml b/app/src/main/res/android/values-moh-rCA/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-moh-rCA/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-mos/google-playstore-strings.xml b/app/src/main/res/android/values-mos/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-mos/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-mos/strings.xml b/app/src/main/res/android/values-mos/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-mos/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-mr-rIN/google-playstore-strings.xml b/app/src/main/res/android/values-mr-rIN/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-mr-rIN/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-mr-rIN/strings.xml b/app/src/main/res/android/values-mr-rIN/strings.xml deleted file mode 100644 index aaafd8eb..00000000 --- a/app/src/main/res/android/values-mr-rIN/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - सेटिंग्स - प्रतिक्रिया पाठवा - सारांश - इतिहास - टिपा - नमस्कार. - नमस्कार. - वापराच्या अटी - मी वापराच्या अटी वाचल्या आहेत आणि त्या मान्य करतो - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - आपण सुरु करण्या आधी काही आम्हाला काही झटपट गोष्टी हव्या आहेत. - देश - वय - Please enter a valid age. - लिंग - पुरुष - महिला - इतर - मधुमेह - प्रकार १ - प्रकार २ - एककाचे प्राधान्य - Share anonymous data for research. - आपण नंतर ह्या सेटिंग्स मधे बदलु शकता. - पुढे - सुरुवात करा - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - दिनांक - वेळ - मोजले - न्याहारी आधी - न्याहारी नंतर - जेवणाआधी - जेवणानंतर - जेवणाआधी - जेवणानंतर - एकंदर - पुनःतपासा - रात्र - इतर - रद्द - जोडा - Please enter a valid value. - Please fill all the fields. - नष्ट - संपादन - 1 reading deleted - UNDO - शेवटची तपासणी: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - या बद्दल - आवृत्ती - वापराच्या अटी - प्रकार - वजन - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-ms-rMY/google-playstore-strings.xml b/app/src/main/res/android/values-ms-rMY/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-ms-rMY/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-ms-rMY/strings.xml b/app/src/main/res/android/values-ms-rMY/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-ms-rMY/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-mt-rMT/google-playstore-strings.xml b/app/src/main/res/android/values-mt-rMT/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-mt-rMT/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-mt-rMT/strings.xml b/app/src/main/res/android/values-mt-rMT/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-mt-rMT/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-my-rMM/google-playstore-strings.xml b/app/src/main/res/android/values-my-rMM/google-playstore-strings.xml deleted file mode 100644 index 9c114a1c..00000000 --- a/app/src/main/res/android/values-my-rMM/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - အ​သေးစိတ်။ - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-my-rMM/strings.xml b/app/src/main/res/android/values-my-rMM/strings.xml deleted file mode 100644 index e936c342..00000000 --- a/app/src/main/res/android/values-my-rMM/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - အပြင်အဆင်များ - အကြံပြုချက်​ပေးရန် - ခြုံငုံကြည့်ခြင်း - မှတ်တမ်း - အကြံပြုချက်များ - မင်္ဂလာပါ။ - မင်္ဂလာပါ။ - သုံးစွဲမှု စည်းကမ်းချက်များ - သုံးစွဲမှု စည်းကမ်းချက်များကို ဖတ်ရှုထားပါသည်။ ထို့ပြင် သဘောတူလက်ခံပါသည်။ - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - သင် စတင် အသုံးမပြုမီ လျင်မြန်စွာ ဆောင်ရွက်နိုင်သည့် အချက်အနည်းငယ် ဆောင်ရွက်ရန် လိုအပ်ပါသည်။ - နိုင်ငံ - အသက် - ကျေးဇူးပြု၍ မှန်ကန်သော အသက်ကို ဖြည့်ပါ။ - လိင် - ကျား - - အခြား - ဆီးချို အမျိုးအစား - အမျိုးအစား ၁ - အမျိုးအစား ၂ - အသုံးပြုလိုသော အတိုင်းအတာ - သုတေသနအတွက် အချက်အလက်ကို မျှဝေပါ (အမျိုးအမည် မဖော်ပြပါ)။ - သင် ဒီအရာကို အပြင်အဆင်များထဲတွင် ပြောင်းလဲနိုင်သည်။ - ရှေ့သို့ - စတင်မည် - မည်သည့်အချက်အလက်မျှ မရနိုင်သေးပါ။ \n သင့် ပထမဆုံး ပြန်ဆိုချက်ကို ဒီမှာ ထည့်ပါ။ - သွေးထဲရှိ အချိုဓါတ် အဆင့်ကို ဖြည့်ပါ - ဒြပ် ပါဝင်မှု - နေ့စွဲ - အချိန် - တိုင်းထွာပြီး - မနက်စာ မစားမီ - မနက်စာ စားပြီး - နေ့လည်စာ မစားမီ - နေ့လည်စာ စားပြီး - ညစာ မစားမီ - ညစာ စားပြီး - အထွေထွေ - ပြန်လည် စစ်ဆေးရန် - - အခြား - မလုပ်တော့ပါ - ထည့်ရန် - ကျေးဇူးပြု၍ မှန်ကန်သော တန်ဖိုးကို ဖြည့်ပါ။ - ကျေးဇူးပြု၍ ကွက်လပ်အားလုံးကို ဖြည့်ပေးပါ။ - ဖျက်ရန် - ပြင်ရန် - ပြန်ဆိုချက် ၁ ခု ဖျက်ပြီး - UNDO - နောက်ဆုံး စစ်ဆေးမှု။ - လွန်ခဲ့သော လ အတွက် ဦးတည်ချက်။ - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - အကြောင်း - ဗားရှင်း - သုံးစွဲမှု စည်းကမ်းချက်များ - အမျိုးအစား - ကိုယ်အ​လေးချိန် - စိတ်ကြိုက် တိုင်းထွာမှု အတန်းအစား - - ကစီဓါတ်နှင့် သကြားပါဝင်မှုကို လျှော့ချရန် လတ်ဆတ်သော၊ မပြုပြင် မစီရင်ထားသည့် အစားအစာများကို စားပါ။ - သကြားနှင့် ကစီပါဝင်မှုကို ထိန်းချုပ်ရန် ထုပ်ပိုးအစားအစာများနှင့် သောက်စရာများပေါ်ရှိ အာဟာရ အညွှန်းကို ဖတ်ပါ။ - ဆိုင်များတွင် စားသောက်လျှင် ထောပတ် သို့မဟုတ် ဆီ မသုံးပဲ ကင်ထားသည့် အသား သို့မဟုတ် ငါး ကို တောင်းဆိုပါ။ - ဆိုင်များတွင် စားသောက်လျှင် အငန်ဓါတ် ပါဝင်မှုနှုန်း နည်းသည့် ဟင်းလျာများ ရှိမရှိ မေးပါ။ - ဆိုင်များတွင် စားသောက်လျှင် အိမ်တွင် စားနေကျ ပမာဏအတိုင်း စားပါ။ မကုန်လျှင် အိမ်သို့ ထုပ်ပိုးသွားပါ။ - ဆိုင်များတွင် စားသောက်သောအခါ (အစားအသောက်စာရင်းတွင် မပါဝင်လျှင်တောင်မှ) အသီးအရွက်သုပ်ကဲ့သို့ ကယ်လိုရီနည်းသည့် အစားအသောက်များကို မှာစားပါ။ - ဆိုင်များတွင် စားသောက်သောအခါ အစားထိုးစားသောက်နိုင်သည်များကို မေးပါ။ ပြင်သစ်အာလူးကြော်အစား အသီးအရွက်သုပ်၊ ဗိုလ်စားပဲ သို့မဟုတ် ပန်းဂေါ်ဖီစိမ်းကဲ့သို့ အသီးအနှံ၊ ဟင်းသီးဟင်းရွက်ကို နှစ်ပွဲ မှာယူစားသုံးပါ။ - ဆိုင်များတွင် စားသောက်သောအခါ ဖုတ်ထားခြင်း၊ ကြော်လှော်ထားခြင်း မဟုတ်သည့် အစားအသောက်များကို မှာယူစားသုံးပါ။ - ဆိုင်များတွင် စားသောက်သောအခါ အချဉ်ရည်၊ ဟင်းနှစ်ရည်နှင့် အသုပ်ဆမ်း ဟင်းနှစ်ရည်တို့ကို ဟင်းရံအနေဖြင့် မေးမြန်းမှာယူပါ။ - သကြားမပါဝင်ပါ သည် တကယ်သကြားမပါဝင်ဟု မဆိုလိုပါ။ ၄င်းသည် တစ်ပွဲတွင် သကြား 0.5 ဂရမ် ပါဝင်သည်ဟု ဆိုလိုသည်။ ထို့ကြောင့် သကြားမပါဝင်ဟုဆိုသည့် အရာများကို လွန်လွန်ကျူးကျူး မစားသုံးမိရန် သတိပြုစေလိုပါသည်။ - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - သင်၏ဆရာဝန်နှင့် တစ်နှစ်တစ်ကြိမ် ပြသခြင်းနှင့် နှစ်ကုန်တိုင်း ပုံမှန် အဆက်အသွယ် ရှိနေခြင်းက ရုတ်တရက်ဖြစ်မည့် ကျန်းမာရေးပြဿနာများ ဖြစ်ခြင်းမှ ကာဖို့အတွက် အရေးကြီးသည်. - သင်၏ဆေးဝါးအတွင်းရှိ သေးငယ်သော ဆေးပမာဏသည်ပင်လျှင် သင်၏သွေး ဂလူးကို့စ် ပမာဏနှင့် အခြားသော ဘေးထွက်ဆိုးကျိုးများဖြစ်နိုင်သောကြောင့် ဆရာဝန်ညွှန်ကြားထားသည့်အတိုင်း ဆေးဝါးများကို သောက်သုံးပါ. မှတ်မိဖို့ ခက်ခဲပါက ဆေးဝါး စီမံခန့်ခွဲခြင်းနှင့် အသိပေးချက် အကြောင်းကို ဆရာဝန် ကို မေးပါ. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - အကူ - အခုပဲ အဆင့်မြှင့်ပါ - အိုကေ၊ ရပြီ - အကြံပြုချက် ပေးရန် - ပြန်ဆိုချက် ထည့်ရန် - သင့် ကိုယ်အလေးချိန်ကို ပြင်ရန် - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - အတန်းအစား ဖန်တီးရန် - ဂလူးကို့စ် အချက်အလက်အတွက် Glucosio က ပုံသေ ကဏ္ဍများဖြင့် ထည့်သွင်းထားပါသည် သို့ရာတွင် သင်၏လိုအပ်ချက်နှင့် ကိုက်ညီရန် စိတ်ကြိုက်ကဏ္ဍများကို အပြင်အဆင်များထဲတွင် ဖန်တီးနိုင်ပါသည်. - ဒီနေရာကို မကြာခဏ စစ်ဆေးပါ - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - အကြံပြုချက် ပေးပို့ရန် - နည်းပညာ အခက်အခဲများ သို့မဟုတ် Glucosio နှင့် ပတ်သက်၍ တုံ့ပြန်လိုပါက Glucosio ကို ပိုမိုကောင်းမွန်ဖို့ ကူညီရန် အပြင်အဆင် စာရင်းတွင် ကျွန်ုပ်တို့ကို ပေးပို့ပါ. - ပြန်ဆိုချက် တစ်ခု ထည့်ပါ - သင်၏ ဂလူးကို့စ် ဖတ်ခြင်းကို ပုံမှန် ဖြစ်အောင်လုပ်ပေးပါ အဲလိုဆိုရင် ကျွန်ုပ်တို့က သင်၏ဂလူးကို့စ် ပမာဏကို အချိန်တိုင်း စောင့်ကြည့်ဖို့ ကူညီမှာပါ. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - အနည်းဆုံး တန်ဖိုး - အများဆုံး တန်ဖိုး - TRY IT NOW - diff --git a/app/src/main/res/android/values-na-rNR/google-playstore-strings.xml b/app/src/main/res/android/values-na-rNR/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-na-rNR/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-na-rNR/strings.xml b/app/src/main/res/android/values-na-rNR/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-na-rNR/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-nb-rNO/google-playstore-strings.xml b/app/src/main/res/android/values-nb-rNO/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-nb-rNO/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-nb-rNO/strings.xml b/app/src/main/res/android/values-nb-rNO/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-nb-rNO/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-nds-rDE/google-playstore-strings.xml b/app/src/main/res/android/values-nds-rDE/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-nds-rDE/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-nds-rDE/strings.xml b/app/src/main/res/android/values-nds-rDE/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-nds-rDE/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-ne-rNP/google-playstore-strings.xml b/app/src/main/res/android/values-ne-rNP/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-ne-rNP/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-ne-rNP/strings.xml b/app/src/main/res/android/values-ne-rNP/strings.xml deleted file mode 100644 index d1c77070..00000000 --- a/app/src/main/res/android/values-ne-rNP/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - सेटिङहरु - प्रतिक्रिया पठाउनुहोस् - सर्वेक्षण - इतिहास - सुझाव - नमस्कार। - नमस्कार। - उपयोग सर्तहरु। - मैले उपयोग सर्तहरु पढिसकेँ र स्वीकार गर्दछु - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - शुरुवात गर्नु अघि हामिलाई केहि कुराहरु चाहिनेछ। - देश - उमेर - कृपया ठिक उमेर हाल्नुहोला। - लिङ्ग - पुरुष - महिला - अन्य - मधुमेहको प्रकार - प्रकार १ - प्रकार २ - Preferred unit - Share anonymous data for research. - You can change these in settings later. - अर्को - शुरुवात गर्नुहोस्। - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - मिति - समय - नापिएको - बिहानी नाश्ता अघि - बिहानी नाश्ता पछि - खाजा अघि - खाजा पछि - रात्री भोजन अघि - रात्री भोजन पछि - साधारन - पुन:हेर्नुहोस् - रात्री - अन्य - रद्द - थप्नुहोस् - कृपया ठिक मान हाल्नुहोस्। - कृपया सबै क्षेत्रहरु भर्नुहोस्। - हटाउनुहोस - सम्पादन - एउटा हटाइयो - undo - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-ng-rNA/google-playstore-strings.xml b/app/src/main/res/android/values-ng-rNA/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-ng-rNA/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-ng-rNA/strings.xml b/app/src/main/res/android/values-ng-rNA/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-ng-rNA/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-nl-rNL/google-playstore-strings.xml b/app/src/main/res/android/values-nl-rNL/google-playstore-strings.xml deleted file mode 100644 index dfc4cb73..00000000 --- a/app/src/main/res/android/values-nl-rNL/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is een gebruikersgerichte gratis en opensource-app voor mensen met diabetes - Door Glucosio te gebruiken kunt u bloedsuikerspiegels invoeren en bijhouden, anoniem diabetesonderzoek steunen door demografische en geanonimiseerde trends in glucosegehalten te delen, en nuttige tips verkrijgen via onze assistent. Glucosio respecteert uw privacy, en u houdt altijd de controle over uw gegevens. - * Gebruikersgericht. Glucosio-apps zijn gebouwd met functies en een ontwerp die aan de wens van de gebruiker voldoen, en we staan altijd open voor feedback ter verbetering. - * Open source. Glucosio-apps bieden de vrijheid om de broncode van al onze apps te gebruiken, kopiëren, bestuderen en te wijzigen en zelfs aan het Glucosio-project mee te werken. - * Gegevens beheren. Met Glucosio kunt u uw diabetesgegevens bijhouden en beheren vanuit een intuïtieve, moderne interface die met feedback van diabetici is gebouwd. - * Onderzoek steunen. Glucosio-apps bieden gebruikers de keuze te opteren voor het delen van geanonimiseerde diabetesgegevens en demografische info met onderzoekers. - Meld eventuele bugs, problemen of aanvragen voor functies op: - https://github.com/glucosio/android - Meer details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-nl-rNL/strings.xml b/app/src/main/res/android/values-nl-rNL/strings.xml deleted file mode 100644 index 33ca9d2c..00000000 --- a/app/src/main/res/android/values-nl-rNL/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Instellingen - Feedback verzenden - Overzicht - Geschiedenis - Tips - Hallo. - Hallo. - Gebruiksvoorwaarden. - Ik heb de gebruiksvoorwaarden gelezen en geaccepteerd - De inhoud van de Glucosio-website en -apps, zoals tekst, afbeeldingen en ander materiaal (\'Inhoud\'), dient alleen voor informatieve doeleinden. De inhoud is niet bedoeld als vervanging voor professioneel medisch(e) advies, diagnose of behandeling. Gebruikers van Glucosio wordt aanbevolen bij eventuele vragen over een medische toestand altijd het advies van uw arts of andere gekwalificeerde gezondheidszorgverlener te raadplegen. Negeer nooit professioneel medisch advies en vermijd vertraging in het opvragen ervan omdat u iets op de Glucosio-website of in onze apps hebt gelezen. De Glucosio-website, -blog, -wiki en andere via een webbrowser toegankelijke inhoud (\'Website\') dienen alleen voor het hierboven beschreven doel te worden gebruikt.\n Het vertrouwen op enige informatie die door Glucosio, Glucosio-teamleden, vrijwilligers en anderen wordt aangeboden en op de website of in onze apps verschijnt, is geheel op eigen risico. De Website en de Inhoud worden op een ‘as is’-basis aangeboden. - We hebben even wat info nodig voordat u aan de slag kunt. - Land - Leeftijd - Voer een geldige leeftijd in. - Geslacht - Man - Vrouw - Overig - Type diabetes - Type 1 - Type 2 - Voorkeurseenheid - Anonieme gegevens delen voor onderzoek - U kunt dit later wijzigen in de instellingen. - VOLGENDE - AAN DE SLAG - Nog geen info beschikbaar. \n Voeg hier uw eerste uitlezing toe. - Bloedsuikerspiegel toevoegen - Concentratie - Datum - Tijd - Gemeten - Voor het ontbijt - Na het ontbijt - Voor de lunch - Na de lunch - Voor het avondeten - Na het avondeten - Algemeen - Opnieuw controleren - Nacht - Anders - ANNULEREN - TOEVOEGEN - Voer een geldige waarde in. - Vul alle velden in. - Verwijderen - Bewerken - 1 uitlezing verwijderd - ONGEDAAN MAKEN - Laatste controle: - Trend in afgelopen maand: - binnen bereik en gezond - Maand - Dag - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - Over - Versie - Gebruiksvoorwaarden - Type - Gewicht - Categorie met eigen metingen - - Eet meer vers, onverwerkt voedsel om inname van koolhydraten en suikers te verminderen. - Lees het voedingslabel op voorverpakt voedsel en drinkwaren om inname van suikers en koolhydraten te beheersen. - Als u buiten de deur eet, vraag dan om vis of vlees dat zonder extra boter of olie is gebakken. - Als u buiten de deur eet, vraag dan om zoutarme schotels. - Als u buiten de deur eet, hanteer dan dezelfde portiegroottes als dat u thuis zou doen en neem mee wat over is. - Als u buiten de deur eet, vraag dan om items met weinig calorieën, zoals saladedressings, zelfs als ze niet op het menu staan. - Als u buiten de deur eet, vraag dan om vervangingen. Vraag in plaats van patat om een dubbele portie van iets vegetarisch, zoals salade, sperziebonen of broccoli. - Als u buiten de deur eet, bestel dan voedsel dat niet is gepaneerd of gebakken. - Als u buiten de deur eet, vraag dan om sauzen, jus en saladedressings \'aan de zijkant\'. - Suikervrij betekent niet echt suikervrij. Het betekent 0,5 gram (g) suiker per portie, dus voorkom dat u zich met te veel suikervrije items verwent. - Streven naar een gezond gewicht helpt bloedsuikers te beheersen. Uw arts, een diëtist en een fitnesstrainer kunnen u op weg helpen met een schema dat voor u werkt. - Twee maal per dag controleren en bijhouden van uw bloedspiegel in een app als Glucosio helpt u bewust te worden van resultaten van keuzes in voedsel en levensstijl. - Vraag om A1c-bloedtests om achter uw gemiddelde bloedsuikerspiegel van de afgelopen 2 tot 3 maanden te komen. Uw arts kan vertellen hoe vaak deze test dient te worden uitgevoerd. - Bijhouden hoeveel koolhydraten u verbruikt kan net zo belangrijk zijn als het controleren van bloedspiegels, omdat koolhydraten bloedsuikerspiegels beïnvloeden. Praat met uw arts of een diëtist over de inname van koolhydraten. - Het beheersen van bloeddruk-, cholesterol- en triglyceridenniveaus is belangrijk, omdat diabetici gevoelig zijn voor hartziekten. - Er zijn diverse dieetbenaderingen die u kunt nemen om gezonder te eten en uw diabetesresultaten te verbeteren. Zoek advies bij een diëtist over wat het beste voor u en uw budget werkt. - Het werken aan regelmatige lichaamsbeweging is met name belangrijk voor mensen met diabetes en kan u helpen op gezond gewicht te blijven. Praat met uw arts over oefeningen die passend voor u zijn. - Slaaptekort kan ervoor zorgen dat u meer eet, met name dingen zoals junkfood, met als resultaat dat uw gezondheid negatief wordt beïnvloed. Zorg voor een goede nachtrust en raadpleeg een slaapspecialist als u hier moeite mee hebt. - Stress kan een negatieve invloed hebben op diabetes. Praat met uw arts of andere gezondheidsspecialist over omgaan met stress. - Eenmaal per jaar uw arts bezoeken en het hele jaar door communiceren is belangrijk voor diabetici om eventuele plotselinge aanvang van gerelateerde gezondheidsproblemen te voorkomen. - Neem uw medicijnen zoals door uw arts voorgeschreven; zelfs korte pauzes in uw medicijninname kunnen uw bloedsuikerspiegel beïnvloeden en andere bijwerkingen veroorzaken. Als u moeite hebt met het onthouden ervan, vraag dan uw arts om medicatiebeheer en herinneringsopties. - - - Oudere diabetici kunnen een hoger risico op aan diabetes gerelateerde gezondheidsproblemen lopen. Praat met uw arts over in hoeverre uw leeftijd een rol speelt in uw diabetes en waar u op moet letten. - Beperk de hoeveelheid zout die u gebruikt om voedsel te koken en die u aan maaltijden toevoegt nadat het is gekookt. - - Assistent - NU BIJWERKEN - OK, BEGREPEN - FEEDBACK VERZENDEN - UITLEZING TOEVOEGEN - Uw gewicht bijwerken - Zorg ervoor dat u uw gewicht bijwerkt, zodat Glucosio de meest accurate gegevens bevat. - Uw onderzoeks-opt-in bijwerken - U kunt altijd opteren voor het delen van diabetesonderzoeksgegevens, maar onthoud dat alle gedeelde gegevens volledig anoniem zijn. We delen alleen trends in demografie en glucosegehalten. - Categorieën maken - Glucosio bevat standaardcategorieën voor glucose-invoer, maar in de instellingen kunt u eigen categorieën maken die aan uw unieke behoeften voldoen. - Kijk hier regelmatig - Glucosio-assistent levert regelmatig tips en wordt continu verbeterd, dus kijk altijd hier voor nuttige acties die u kunt nemen om uw Glucosio-ervaring te verbeteren en voor andere nuttige tips. - Feedback verzenden - Als u technische problemen tegenkomt of feedback over Glucosio hebt, zien we graag dat u deze indient in het instellingenmenu om Glucosio te helpen verbeteren. - Een uitlezing toevoegen - Zorg ervoor dat u regelmatig uw glucose-uitlezingen toevoegt, zodat we kunnen helpen uw glucosegehalten in de loop der tijd bij te houden. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Voorkeursbereik - Aangepast bereik - Min. waarde - Max. waarde - NU PROBEREN - diff --git a/app/src/main/res/android/values-nn-rNO/google-playstore-strings.xml b/app/src/main/res/android/values-nn-rNO/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-nn-rNO/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-nn-rNO/strings.xml b/app/src/main/res/android/values-nn-rNO/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-nn-rNO/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-no-rNO/google-playstore-strings.xml b/app/src/main/res/android/values-no-rNO/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-no-rNO/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-no-rNO/strings.xml b/app/src/main/res/android/values-no-rNO/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-no-rNO/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-nr-rZA/google-playstore-strings.xml b/app/src/main/res/android/values-nr-rZA/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-nr-rZA/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-nr-rZA/strings.xml b/app/src/main/res/android/values-nr-rZA/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-nr-rZA/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-ns-rZA/google-playstore-strings.xml b/app/src/main/res/android/values-ns-rZA/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-ns-rZA/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-ns-rZA/strings.xml b/app/src/main/res/android/values-ns-rZA/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-ns-rZA/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-ny-rMW/google-playstore-strings.xml b/app/src/main/res/android/values-ny-rMW/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-ny-rMW/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-ny-rMW/strings.xml b/app/src/main/res/android/values-ny-rMW/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-ny-rMW/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-oc-rFR/google-playstore-strings.xml b/app/src/main/res/android/values-oc-rFR/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-oc-rFR/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-oc-rFR/strings.xml b/app/src/main/res/android/values-oc-rFR/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-oc-rFR/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-oj-rCA/google-playstore-strings.xml b/app/src/main/res/android/values-oj-rCA/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-oj-rCA/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-oj-rCA/strings.xml b/app/src/main/res/android/values-oj-rCA/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-oj-rCA/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-om-rET/google-playstore-strings.xml b/app/src/main/res/android/values-om-rET/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-om-rET/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-om-rET/strings.xml b/app/src/main/res/android/values-om-rET/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-om-rET/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-or-rIN/google-playstore-strings.xml b/app/src/main/res/android/values-or-rIN/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-or-rIN/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-or-rIN/strings.xml b/app/src/main/res/android/values-or-rIN/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-or-rIN/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-os-rSE/google-playstore-strings.xml b/app/src/main/res/android/values-os-rSE/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-os-rSE/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-os-rSE/strings.xml b/app/src/main/res/android/values-os-rSE/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-os-rSE/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-pa-rIN/google-playstore-strings.xml b/app/src/main/res/android/values-pa-rIN/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-pa-rIN/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-pa-rIN/strings.xml b/app/src/main/res/android/values-pa-rIN/strings.xml deleted file mode 100644 index a211cb39..00000000 --- a/app/src/main/res/android/values-pa-rIN/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - ਸੈਟਿੰਗ - ਫੀਡਬੈਕ ਭੇਜੋ - ਸੰਖੇਪ ਜਾਣਕਾਰੀ - ਇਤਿਹਾਸ - ਨੁਕਤੇ - ਹੈਲੋ। - ਹੈਲੋ। - ਵਰਤੋਂ ਦੀਆਂ ਸ਼ਰਤਾਂ। - ਮੈਂ ਵਰਤੋਂ ਦੀਆਂ ਸ਼ਰਤਾਂ ਨੂੰ ਪੜ੍ਹਿਆ ਅਤੇ ਸਵੀਕਾਰ ਕਰਦਾ ਹਾਂ - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - ਤੁਹਾਨੂੰ ਸ਼ੁਰੂ ਕਰਵਾਉਣ ਤੋਂ ਪਹਿਲਾਂ ਸਾਨੂੰ ਸਿਰਫ਼ ਕੁੱਝ ਚੀਜ਼ਾਂ ਦੀ ਜ਼ਰੂਰਤ ਹੈ। - ਦੇਸ਼ - ਉਮਰ - ਕਿਰਪਾ ਕਰਕੇ ਸਹੀ ਉਮਰ ਦਰਜ ਕਰੋ। - ਲਿੰਗ - ਮਰਦ - ਔਰਤ - ਹੋਰ - ਸ਼ੂਗਰ ਦੀ ਕਿਸਮ - ਕਿਸਮ 1 - ਕਿਸਮ 2 - ਤਰਜੀਹੀ ਇਕਾਈ - ਖੋਜ ਲਈ ਗੁਮਨਾਮ ਡਾਟਾ ਸਾਂਝਾ ਕਰੋ। - ਬਾਅਦ ਵਿੱਚ ਸੈਟਿੰਗਾਂ ਵਿੱਚ ਤੁਸੀਂ ਇਸ ਨੂੰ ਬਦਲ ਸਕਦੇ ਹੋ। - ਅੱਗੇ - ਸ਼ੁਰੂ ਕਰੋ - ਹਾਲੇ ਕੋਈ ਜਾਣਕਾਰੀ ਉਪਲਬਧ ਨਹੀਂ।\n ਇੱਥੇ ਆਪਣੀ ਪਹਿਲੀ ਰਿਡਿੰਗ ਸ਼ਾਮਲ ਕਰੋ। - ਖੂਨ ਵਿੱਚ ਗਲੂਕੋਜ਼ ਦਾ ਪੱਧਰ ਸ਼ਾਮਲ ਕਰੋ - ਮਾਤਰਾ - ਮਿਤੀ - ਸਮਾਂ - ਮਾਪਿਆ - ਨਾਸ਼ਤੇ ਤੋਂ ਪਹਿਲਾਂ - ਨਾਸ਼ਤੇ ਤੋਂ ਬਾਅਦ - ਦੁਪਹਿਰ ਦੇ ਖਾਣੇ ਤੋਂ ਪਹਿਲਾਂ - ਦੁਪਹਿਰ ਦੇ ਖਾਣੇ ਤੋਂ ਬਾਅਦ - ਰਾਤ ਦੇ ਖਾਣੇ ਤੋਂ ਪਹਿਲਾਂ - ਰਾਤ ਦੇ ਖਾਣੇ ਤੋਂ ਬਾਅਦ - ਆਮ - ਮੁੜ-ਜਾਂਚ ਕਰੋ - ਰਾਤ - ਹੋਰ - ਰੱਦ ਕਰੋ - ਸ਼ਾਮਲ ਕਰੋ - ਕਿਰਪਾ ਕਰਕੇ ਇੱਕ ਸਹੀ ਮੁੱਲ ਦਰਜ ਕਰੋ। - ਕਿਰਪਾ ਕਰਕੇ ਸਾਰੀਆਂ ਥਾਵਾਂ ਭਰੋ। - ਹਟਾਓ - ਸੋਧ ਕਰੋ - 1 ਰੀਡਿੰਗ ਹਟਾਈ - ਵਾਪਸ - ਆਖਰੀ ਜਾਂਚ: - ਪਿਛਲੇ ਮਹੀਨਾ ਦਾ ਰੁਝਾਨ: - ਹੱਦ ਵਿੱਚ ਅਤੇ ਸਿਹਤਮੰਦ - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - ਬਾਰੇ - ਵਰਜਨ - ਸੇਵਾ ਦੀਆਂ ਸ਼ਰਤਾਂ - ਕਿਸਮ - ਭਾਰ - ਮਨਪਸੰਦ ਮਾਪ ਵਰਗ - - ਜ਼ਿਆਦਾ ਤਾਜ਼ਾ ਖਾਓ, ਅਣ-ਪ੍ਰੋਸੈਸਡ ਖਾਣਾ ਕਾਰਬੋਹਾਈਡਰੇਟ ਅਤੇ ਖੰਡ ਲੈਣਾ ਘਟਾਉਣ ਵਿੱਚ ਸਹਾਇਤਾ ਕਰਦਾ। - ਕਾਰਬੋਹਾਈਡਰੇਟ ਅਤੇ ਖੰਡ ਲੈਣਾ ਕਾਬੂ ਕਰਨ ਲਈ ਪੈਕ ਹੋਏ ਖਾਣਿਆਂ ਅਤੇ ਪੀਣ ਵਾਲੀਆਂ ਚੀਜ਼ਾਂ ਦੇ ਪੋਸ਼ਟਿਕ ਲੇਬਲ ਪੜ੍ਹੋ। - ਜਦੋਂ ਬਾਹਰ ਖਾਣਾ ਖਾਓ, ਮੱਛੀ ਜਾਂ ਮੀਟ ਨੂੰ ਜਿਆਦਾ ਮੱਖਣ ਜਾਂ ਤੇਲ ਦੇ ਬਿਨਾਂ ਭੁੱਜਣ ਲਈ ਕਹੋ। - ਜਦੋਂ ਬਾਹਰ ਖਾਣਾ ਖਾਓ, ਘੱਟ ਸੋਡੀਅਮ ਵਾਲੇ ਪਕਵਾਨਾਂ ਬਾਰੇ ਪੁੱਛੋ। - ਜਦੋਂ ਬਾਹਰ ਖਾਣਾ ਖਾਓ, ਓਨੇ ਹੀ ਆਕਾਰ ਦੇ ਹਿੱਸੇ ਖਾਓ ਜਿੰਨੇ ਤੁਸੀਂ ਘਰ ਖਾਂਦੇ ਹੋ ਅਤੇ ਬਾਕੀ ਨੂੰ ਆਪਣੇ ਨਾਲ ਲੈ ਜਾਓ। - ਜਦੋਂ ਬਾਹਰ ਖਾਓ ਤਾਂ ਘੱਟ-ਕੈਲੋਰੀ ਚੀਜ਼ਾਂ ਬਾਰੇ ਪੁੱਛੋ, ਜਿਵੇਂ ਸਲਾਦ ਚਟਨੀਆਂ, ਭਾਵੇਂ ਉਹ ਮੀਨੂੰ ਵਿੱਚ ਨਾ ਹੋਣ। - ਜਦੋਂ ਬਾਹਰ ਖਾਣਾ ਖਾਓ ਵਟਾਂਦਰੇ ਬਾਰੇ ਪੁੱਛੋ, ਜਿਵੇਂ ਕਿ ਫ੍ਰੈਂਚ ਫ੍ਰਾਈਜ਼ ਦੀ ਥਾਂ ਤੇ, ਸਬਜ਼ੀਆਂ ਦੇ ਸਲਾਦ ਜਿਵੇਂ ਹਰੀਆਂ ਫਲ੍ਹਿਆਂ ਜਾਂ ਗੋਭੀ ਦੇ ਡਬਲ ਆਰਡਰ ਦੀ ਬੇਨਤੀ ਕਰੋ। - ਜਦੋਂ ਬਾਹਰ ਖਾਣਾ ਖਾਓ, ਉਸ ਭੋਜਨ ਦਾ ਆਰਡਰ ਕਰੋ ਜੋ ਡਬਲਰੋਟੀ ਜਾਂ ਤਲਿਆ ਨਾ ਹੋਵੇ। - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - ਸ਼ੂਗਰ ਫ੍ਰੀ ਦਾ ਅਸਲ ਮਤਲਬ ਬਿਲਕੁਲ ਖੰਡ ਨਾ ਹੋਣਾ ਨਹੀਂ ਹੈ। ਇਸ ਦਾ ਮਤਲਬ ਹਰੇਕ ਹਰੇਕ ਹਿੱਸੇ ਵਿੱਚ 0.5 ਗ੍ਰਾਮ ਖੰਡ ਹੈ, ਇਸ ਲਈ ਬਹੁਤ ਸਾਰੀਆਂ ਸ਼ੂਗਰ ਫ੍ਰੀ ਚੀਜ਼ਾਂ ਲੈਣ ਸਮੇਂ ਸੁਚੇਤ ਰਹੋ। - ਚੰਗਾ ਭਾਰ ਬਣਾਈ ਰੱਖਣਾ ਖੂਨ ਵਿੱਚ ਸ਼ੂਗਰ ਨੂੰ ਕਾਬੂ ਰੱਖਣ ਵਿੱਚ ਸਹਾਇਤਾ ਕਰਦਾ ਹੈ। ਤੁਹਾਡਾ ਡਾਕਟਰ, ਡਾਈਟੀਸ਼ੀਅਨ ਅਤੇ ਫਿਟਨੈੱਸ ਟ੍ਰੇਨਰ ਤੁਹਾਨੂੰ ਇੱਕ ਯੋਜਨਾ ਸ਼ੁਰੂ ਕਰਵਾ ਸਕਦਾ ਜੋ ਤੁਹਾਡੇ ਲਈ ਵਧੀਆ ਰਹੇਗੀ। - ਆਪਣੇ ਖੂਨ ਪੱਧਰ ਦੀ ਜਾਂਚ ਕਰਨਾ ਅਤੇ ਇਸ ਤੇ ਦਿਨ ਵਿੱਚ ਦੋ ਵਾਰ Glucosio ਵਰਗੀ ਐਪ ਨਾਲ ਨਜ਼ਰ ਰੱਖਣਾ ਭੋਜਨ ਅਤੇ ਜੀਵਨਸ਼ੈਲੀ ਪਸੰਦਾਂ ਦੇ ਨਤੀਜਿਆਂ ਦਾ ਧਿਆਨ ਰੱਖਣ ਵਿੱਚ ਸਹਾਇਤਾ ਕਰਦਾ ਹੈ। - ਪਿਛਲੇ 2 ਤੋਂ 3 ਮਹੀਨਿਆਂ ਵਿੱਚ ਆਪਣੇ ਖੂਨ ਵਿੱਚ ਔਸਤ ਸ਼ੂਗਰ ਪੱਧਰ ਦਾ ਪਤਾ ਲਗਾਉਣ ਲਈ A1c ਖੂਨ ਟੈਸਟ ਲਓ। ਤੁਹਾਡਾ ਡਾਕਟਰ ਤੁਹਾਨੂੰ ਦੱਸੇਗਾ ਕੀ ਤੁਹਾਨੂੰ ਇਹ ਟੈਸਟ ਨੂੰ ਕਿੰਨੀ ਵਾਰ ਕਰਵਾਉਣ ਦੀ ਲੋੜ ਪਵੇਗੀ। - ਤੁਸੀਂ ਕਿੰਨੇ ਕਾਰਬੋਹਾਈਡਰੇਟ ਲੈਂਦੇ ਹੋ ਇਸ ਤੇ ਨਜ਼ਰ ਰੱਖਣਾ ਉਨ੍ਹਾਂ ਹੀ ਜ਼ਰੂਰੀ ਹੈ ਜਿੰਨ੍ਹਾ ਖੂਨ ਦੇ ਪੱਧਰ ਦੀ ਜਾਂਚ ਕਰਨਾ ਕਿਉਂਕਿ ਕਾਰਬੋਹਾਈਡਰੇਟ ਖੂਨ ਵਿੱਚ ਸ਼ੂਗਰ ਦੇ ਪੱਧਰ ਤੇ ਅਸਰ ਪਾਉਂਦੇ ਹਨ। ਆਪਣੇ ਡਾਕਟਰ ਜਾਂ ਡਾਈਟੀਸ਼ੀਅਨ ਨਾਲ ਕਾਰਬੋਹਾਈਡਰੇਟ ਲੈਣ ਬਾਰੇ ਗੱਲਬਾਤ ਕਰੋ। - ਬਲੱਡ ਪ੍ਰੈਸ਼ਰ, ਕੋਲੈਸਟਰੋਲ ਅਤੇ ਟਰਾਈਗਲਿਸਰਾਈਡਸ ਦੇ ਪੱਧਰਾਂ ਨੂੰ ਕਾਬੂ ਰੱਖਣਾ ਜ਼ਰੂਰੀ ਹੈ ਕਿਉਂਕਿ ਸ਼ੂਗਰ ਦੇ ਮਰੀਜ਼ ਅਸਾਨੀ ਦਿਲ ਦੀਆਂ ਬੀਮਾਰੀਆਂ ਦੇ ਸ਼ਿਕਾਰ ਹੋ ਜਾਂਦੇ ਹਨ। - ਸਿਹਤਮੰਦ ਖਾਣ ਲਈ ਵੱਖ-ਵੱਖ ਤਰ੍ਹਾਂ ਦੇ ਭੋਜਨਾਂ ਦੀ ਵਰਤੋਂ ਅਤੇ ਆਪਣੇ ਸ਼ੂਗਰ ਦੇ ਨਤੀਜਿਆਂ ਵਿੱਚ ਸੁਧਾਰ ਕਰ ਸਕਦੇ ਹੋ। ਤੁਹਾਡੇ ਬਜਟ ਅਤੇ ਤੁਹਾਡੇ ਲਈ ਕੀ ਵਧੀਆ ਰਹੇਗਾ ਇਸ ਬਾਰੇ ਡਾਈਟੀਸ਼ੀਅਨ ਤੋਂ ਸਲਾਹ ਲਓ। - ਰੋਜ਼ਾਨਾ ਕਸਰਤ ਕਰਨਾ ਖ਼ਾਸ ਤੌਰ ਤੇ ਸ਼ੂਗਰ ਦੇ ਮਰੀਜਾਂ ਲਈ ਲਾਹੇਵੰਦ ਹੁੰਦਾ ਅਤੇ ਇੱਕ ਚੰਗਾ ਭਾਰ ਬਣਾਈ ਰੱਖਣ ਵਿੱਚ ਸਹਾਇਤਾ ਕਰਦਾ ਹੈ। ਆਪਣੇ ਡਾਕਟਰ ਨਾਲ ਕਸਰਤਾਂ ਬਾਰੇ ਗੱਲਬਾਤ ਕਰੋ ਜੋ ਤੁਹਾਡੇ ਲਈ ਢੁਕਵੀਆਂ ਹੋਣ। - ਨੀਂਦ ਦੀ ਕਮੀ ਕਾਰਨ ਤੁਸੀਂ ਜੰਕ ਫੂਡ ਵਰਗੀਆਂ ਚੀਜ਼ਾਂ ਜ਼ਿਆਦਾ ਖਾਂਦੇ ਹੋ ਜਿਸ ਨਾਲ ਤੁਹਾਡੀ ਸਿਹਤ ਤੇ ਮਾੜਾ ਅਸਰ ਪੈ ਸਕਦਾ ਹੈ। ਰਾਤ ਨੂੰ ਚੰਗੀ ਨੀਂਦ ਲੈਣਾ ਯਕੀਨੀ ਬਣਾਓ ਅਤੇ ਜੇਕਰ ਤੁਹਾਨੂੰ ਇਸ ਵਿੱਚ ਮੁਸ਼ਕਲ ਆ ਰਹੀ ਹੈ ਤਾਂ ਇੱਕ ਨੀਂਦ ਮਾਹਰ ਨਾਲ ਸਲਾਹ-ਮਸ਼ਵਰਾ ਕਰੋ। - ਤਣਾਅ ਦਾ ਸ਼ੂਗਰ ਤੇ ਮਾੜਾ ਪ੍ਰਭਾਵ ਪੈ ਸਕਦਾ ਆਪਣੇ ਡਾਕਟਰ ਜਾਂ ਹੋਰ ਸਿਹਤ ਦੇਖਭਾਲ ਪੇਸ਼ੇਵਰ ਨਾਲ ਤਣਾਅ ਨਾਲ ਨਜਿੱਠਣ ਬਾਰੇ ਗੱਲਬਾਤ ਕਰੋ। - ਸ਼ੂਗਰ ਮਰੀਜਾਂ ਲਈ ਸਾਲ ਵਿੱਚ ਇੱਕ ਵਾਰ ਆਪਣੇ ਡਾਕਟਰ ਕੋਲ ਜਾਣਾ ਅਤੇ ਸਾਰੇ ਸਾਲ ਦੌਰਾਨ ਲਗਾਤਾਰ ਸੰਪਰਕ ਵਿੱਚ ਰਹਿਣਾ ਜ਼ਰੂਰੀ ਹੈ ਇਹ ਸਿਹਤ ਸਮੱਸਿਆਵਾਂ ਨਾਲ ਸੰਬੰਧਤ ਕਿਸੇ ਵੀ ਤਰ੍ਹਾਂ ਦੇ ਅਚਾਨਕ ਹਮਲੇ ਨੂੰ ਰੋਕਦਾ ਹੈ। - ਆਪਣੇ ਡਾਕਟਰ ਦੀ ਤਜਵੀਜ਼ ਅਨੁਸਾਰ ਆਪਣੀ ਦਵਾਈ ਲਓ ਆਪਣੀ ਦਵਾਈ ਲੈਣ ਵਿੱਚ ਕੀਤੀਆਂ ਛੋਟੀਆਂ ਗਲਤੀਆਂ ਨਾਲ ਤੁਹਾਡੇ ਖੂਨ ਵਿੱਚ ਗਲੂਕੋਜ਼ ਦੇ ਪੱਧਰ ਤੇ ਅਸਰ ਅਤੇ ਹੋਰ ਮਾੜੇ ਪ੍ਰਭਾਵ ਪੈ ਸਕਦੇ ਹਨ। ਜੇਕਰ ਤੁਹਾਨੂੰ ਯਾਦ ਰੱਖਣ ਵਿੱਚ ਮੁਸ਼ਕਲ ਹੁੰਦੀ ਹੈ ਤਾਂ ਆਪਣੇ ਡਾਕਟਰ ਨੂੰ ਦਵਾਈ ਮੈਨੇਜਮੈਂਟ ਅਤੇ ਰੀਮਾਈਂਡਰ ਚੋਣਾਂ ਬਾਰੇ ਪੁੱਛੋ। - - - ਵੱਡੀ ਉਮਰ ਦੇ ਮਰੀਜ਼ਾਂ ਨੂੰ ਸ਼ੂਗਰ ਨਾਲ ਸੰਬੰਧਤ ਸਿਹਤ ਸਮੱਸਿਆਵਾਂ ਦਾ ਜੋਖਮ ਵੱਧ ਹੁੰਦਾ ਹੈ। ਆਪਣੇ ਡਾਕਟਰ ਨਾਲ ਗੱਲਬਾਤ ਕਰੋ ਕਿ ਤੁਹਾਡੀ ਸ਼ੂਗਰ ਵਿੱਚ ਤੁਹਾਡੀ ਉਮਰ ਕੀ ਭੂਮਿਕਾ ਨਿਭਾਉਂਦੀ ਹੈ ਅਤੇ ਕੀ ਧਿਆਨ ਰੱਖਣਾ ਚਾਹੀਦਾ ਹੈ। - ਤੁਹਾਡੇ ਵੱਲੋਂ ਖਾਣਾ ਬਣਾਉਣ ਸਮੇਂ ਅਤੇ ਖਾਣਾ ਬਣਾਉਣ ਤੋਂ ਬਾਅਦ ਪੈਣ ਵਾਲੇ ਲੂਣ ਦੀ ਮਾਤਰਾ ਨੂੰ ਘੱਟ ਕਰੋ। - - ਸਹਾਇਕ - ਹੁਣੇ ਅੱਪਡੇਟ ਕਰੋ - ਠੀਕ, ਸਮਝ ਗਿਆ - ਫੀਡਬੈਕ ਦਿਓ - ਰੀਡਿੰਗ ਜੋੜੋ - ਆਪਣਾ ਭਾਰ ਅੱਪਡੇਟ ਕਰੋ - ਆਪਣੇ ਭਾਰ ਨੂੰ ਅੱਪਡੇਟ ਕਰਨਾ ਯਕੀਨੀ ਬਣਾਓ ਤਾਂ ਕਿ Glucosio ਕੋਲ ਬਿਲਕੁਲ ਸਹੀ ਜਾਣਕਾਰੀ ਹੋਵੇ। - ਆਪਣੀ ਖੋਜ ਭਾਗੀਦਾਰੀ ਨੂੰ ਅੱਪਡੇਟ ਕਰੋ - ਤੁਸੀਂ ਹਮੇਸ਼ਾ ਸ਼ੂਗਰ ਖੋਜ ਸਾਂਝੇਦਾਰੀ ਵਿੱਚ ਭਾਗ ਲੈ ਜਾਂ ਬਾਹਰ ਹੋ ਸਕਦੇ ਹੋ, ਯਾਦ ਰੱਖੋ ਸਾਂਝਾ ਕੀਤਾ ਡਾਟਾ ਪੂਰੀ ਤਰ੍ਹਾਂ ਗੁਪਤ ਹੈ। ਅਸੀਂ ਸਿਰਫ਼ ਜਨ ਅਤੇ ਗਲੂਕੋਜ਼ ਪੱਧਰ ਰੁਝਾਨ ਸਾਂਝੇ ਕਰਦੇ ਹਾਂ। - ਵਰਗ ਬਣਾਓ - ਗਲੂਕੋਜ਼ ਇਨਪੁੱਟ ਲਈ Glucosio ਮੂਲ ਵਰਗਾਂ ਨਾਲ ਆਉਂਦਾ ਹੈ ਪਰ ਤੁਸੀਂ ਆਪਣੀਆਂ ਜ਼ਰੂਰਤਾਂ ਮੁਤਾਬਿਕ ਸੈਟਿੰਗਾਂ ਵਿੱਚ ਤਰਜੀਹੀ ਵਰਗ ਬਣਾ ਸਕਦੇ ਹੋ। - ਇੱਥੇ ਅਕਸਰ ਵੇਖੋ - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - ਫੀਡਬੈਕ ਭੇਜੋ - ਜੇਕਰ ਤੁਹਾਨੂ ਕੋਈ ਤਕਨੀਕੀ ਸਮੱਸਿਆ ਆਈ ਜਾਂ Glucosio ਬਾਰੇ ਫੀਡਬੈਕ ਭੇਜਣਾ ਚਾਹੁੰਦੇ ਹੋ Glucosio ਨੂੰ ਵਧੀਆ ਬਣਾਉਣ ਵਿੱਚ ਸਾਡੀ ਸਹਾਇਤਾ ਲਈ ਅਸੀਂ ਤੁਹਾਨੂੰ ਇਸ ਨੂੰ ਸੈਟਿੰਗ ਮੀਨੂੰ ਤੋਂ ਭੇਜਣ ਲਈ ਉਤਸ਼ਾਹਿਤ ਕਰਦੇ ਹਾਂ। - ਰੀਡਿੰਗ ਸ਼ਾਮਲ ਕਰੋ - ਨਿਯਮਿਤ ਤੌਰ ਤੇ ਆਪਣੀ ਗਲੋਕੂਜ਼ ਰੀਡਿੰਗ ਸ਼ਾਮਲ ਕਰਨਾ ਯਕੀਨੀ ਬਣਾਓ ਤਾਂ ਕੀ ਅਸੀਂ ਤੁਹਾਡੀ ਗਲੂਕੋਜ਼ ਪੱਧਰਾਂ ਤੇ ਨਜ਼ਰ ਰੱਖਣ ਵਿੱਚ ਸਹਾਇਤਾ ਕਰ ਸਕੀਏ। - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - ਤਰਜੀਹੀ ਸੀਮਾ - ਮਨਪਸੰਦ ਸੀਮਾ - ਘੱਟੋ-ਘਂੱਟ ਮੁੱਲ - ਵੱਧੋ-ਵੱਧ ਮੁੱਲ - TRY IT NOW - diff --git a/app/src/main/res/android/values-pam-rPH/google-playstore-strings.xml b/app/src/main/res/android/values-pam-rPH/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-pam-rPH/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-pam-rPH/strings.xml b/app/src/main/res/android/values-pam-rPH/strings.xml deleted file mode 100644 index eaf5f29a..00000000 --- a/app/src/main/res/android/values-pam-rPH/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Mga Setting - Magpadala ng feedback - Overview - Kasaysayan - Mga Tip - Mabuhay. - Mabuhay. - Terms of Use. - Nabasa ko at tinatanggap ang Terms of Use - Ang mga nilalaman ng Glucosio website at apps, lahat ng mga teksto, larawan, imahen at iba pang materyal (\"Content\") ay inilathala para sa impormasyon lamang. Ang mga nasabing nilalaman at hindi maaring gamit sa pangpropesyunal na payong pangmedikal, pagsusuri o kagamutan. Lahat ng gumagamit ng Glucosio ay hinihikayat na magpasuri sa mga doktor o mga tagapayong pangkalusugan sa anumang katanungan hingil sa inyong sakit.\n Walang pananagutan ang Glucosio team, volunteers at mga nilalaman sa aming website sa paggamit ng aming produkto. - Kinakailangan namin ang ilang mga bagay bago tayo makapagsimula. - Bansa - Edad - Paki-enter ang tamang edad. - Kasarian - Lalaki - Babae - Iba - Uri ng diabetes - Type 1 - Type 2 - Nais na unit - Ibahagi ang anonymous data para sa pagsasaliksik. - Maaari mong palitan ang mga settings na ito mamaya. - SUSUNOD - MAGSIMULA - Walang impormasyon na nakatala. \n Magdagdag ng iyong unang reading dito. - Idagdag ang Blood Glucose Level - Konsentrasyon - Petsa - Oras - Sukat - Bago mag-agahan - Pagkatapos ng agahan - Bago magtanghalian - Pagkatapos ng tanghalian - Bago magdinner - Pagkatapos magdinner - Pangkabuuan - Suriin muli - Gabi - Iba pa - KANSELAHIN - IDAGDAG - Mag-enter ng tamang value. - Paki-punan ang lahat ng mga fields. - Burahin - I-edit - Binura ang 1 reading - I-UNDO - Huling pagsusuri: - Trend sa nakalipas na buwan: - nasa tamang sukat at ikaw ay malusog - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - Tungkol sa - Bersyon - Terms of use - Uri - Weight - Custom na kategorya para sa mga sukat - - Kumain ng mga sariwa at hindi processed na mga pagkain para makaiwas sa carbohydrate at asukal. - Basahing mabuti ang nutritional label sa mga packaged food at beverages para makontrol ang lebel ng asukal at carbohydrate sa kinakain. - Kung kakain sa labas, kumain ng isda o nilagang karne na walang mantikilya o mantika. - Kapag kumakain sa labas, kumuha ng mga low sodium na pagkain. - Kung kakain sa labas, siguraduhing ang dami ng iyong kakainin ay katulad lamang ng pagkain mo kung ikaw ay nasa bahay at huwag mag-uuwi ng mga tira. - Kung kakain sa labas, kumuha ng mga pagkaing mababa sa calorie, tulad ng salad dressings, kahit na ang mga ito ay wala sa menu. - Kung kakain sa labas, magtanong ng mga substitutions. Halimbawa, sa halip na kumain ng French Fries, kumuha ng dalawang order ng gulay tulad ng salad, green beans at repolyo. - Kung kakain sa labas, kumuha ng pagkaing hindi breaded or pinirito. - Kung kakain sa labas, humingi ng mga sauce, gravy at salad dressings bilang pang-ulam. - Hindi ibig sabihin na kapag ang isang bagay ay sugar free, wala na itong asukal. Ang ibig nitong sabihin ay mayroon lamang ito na 0.5 grams (g) ng asukal sa bawat serving, kaya mag-ingat at kumain lamang ng tamang pagkain na nagsasabing sila ay sugar free. - Ang pagkakaroon ng tamang timbang at nakatutulong sa pagkontrol ng blood sugar. Alamin ang tamang pamamaraan mula sa inyong doktor. - Ang pagsusuri ng iyong blood level at pagtatala nito sa app na katulad ng Glucosio dalawang beses sa isang araw ay makatutulong para magkaron ng mabuting pagpili sa mga kinakain at pamumuhay. - Magpakuha ng A1c blood test para malaman ang iyong blood sugar average sa nagdaang 2 hanggang 3 buwan. Sasabihin sa iyo ng iyong doktok kung gaano kadalas mo dapat ginawa ang ganitong pagsusuri. - Ang pagtatala kung ilang carbohydrates ang nasa iyong pagkain ay kasing halaga ng pagsusuri ng iyong blood levels, dahil ito ay nakaaapekto sa bawat isa. Kausapin ang iyong manggagamot para sa nararapat ng carbohydrate intake. - Ang pag-control ng iyong blood pressure, cholesterol at triglyceride levels ay mahalaga dahil ang mga diabetiko ay mas malaki ang tsansang magkasakit sa puso. - May iba\'t-ibang pamamaraan sa pagdidiyeta para makatulong na ikaw ay maging malusog at makontrol ang iyong diabetes. Kumunsulta sa isang dietician para malaman kung ano ang pinakamabuting pamamaraan ng pagdidiyeta na pasok sa iyong budget. - Ang palagiang pag-eehersisyo ay mahalaga sa mga diabetiko para mapanatili ang tamang timbang. Kumunsulta sa inyong doktor para malaman ang tamang ehersisyo sa iyo. - Kung kulang ka sa tulog, ito ay magiging sanhi para ikaw ay kumain nang mas marami at kumain ng mga junk foods na hindi maganda sa iyong kalusugan. Siguraduhing may sapat na oras ng tulog sa gabi. Sumangguni sa espesyalista kung kinakailangan. - May malaking epekto ang stress sa mga diabetiko. Kumunsulta sa inyong doktor para malaman kung paano malalabanan ang stress. - Ang pagbisita sa iyong doktor at palagiang kuminikasyon sa kaniya sa loob ng buong taon ay mahalaga para sa mga may diabetes para maiwasan ang paglubha ng iyong sakit. - Palagiang uminom ng gamot base sa payo ng inyong doktor. Ang pagliban sa pag-inom ng gamot ay may malaking epekto sa iyong blood glucose level. Kumunsulta sa inyong doktor para malaman ang pinakaepektibong pamamaraan na hindi mo malilimutang uminom ng gamot sa oras. - - - May epekto ang edad ng isang diabetiko. Kumunsulta sa inyong doktor para malaman kung anu-ano ang dapat gawin ng isang diabetikong may edad na. - Siguraduhing kakaunti lamang ang asin sa pagkaing niluluto o ang paggamit nito habang kumakain. - - Assistant - I-UPDATE NGAYON - OK - I-SUBMIT ANG FEEDBACK - MAGDAGDAG NG READING - I-update ang iyong timbang - Siguraduhing tama ang iyong timbang para makapagbigay ng mas angkop na impormasyon ang Glucosio. - I-update ang iyong research opt-in - Maaari kang hindi mapabilang sa aming diabetes research sharing kung iyong nanaisin. Lahat ng impormasyon na aming nilalagap ay anonymous at hinding-hindi namin ito ipamimigay kanino man. - Gumawa ng mga kategorya - Ang Glucosio ay mga kategoryang kalakip para sa glucose input, ngunit maaari kang gumawa ng sarili mong kategorya kung nanaisin. - Pumunta dito ng madalas - Nagbibigay ang Glucosio assistant ng mga payo kung paano gaganda ang iyong kalusugan at kung paano mo makukuha ang benepisyo ng paggamit ng Glucosio. - I-submit ang feedback - Kung may mga katanungang pangteknikal or may mga puna at suhesyon para sa Glucosio, pumunta sa settings menu. - Magdagdag ng reading - Siguraduhing palaging magdagdag ng iyong glucose readings para ikaw matulungan naming i-track ang iyong glucose levels. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-pap/google-playstore-strings.xml b/app/src/main/res/android/values-pap/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-pap/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-pap/strings.xml b/app/src/main/res/android/values-pap/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-pap/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-pcm-rNG/google-playstore-strings.xml b/app/src/main/res/android/values-pcm-rNG/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-pcm-rNG/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-pcm-rNG/strings.xml b/app/src/main/res/android/values-pcm-rNG/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-pcm-rNG/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-pi-rIN/google-playstore-strings.xml b/app/src/main/res/android/values-pi-rIN/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-pi-rIN/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-pi-rIN/strings.xml b/app/src/main/res/android/values-pi-rIN/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-pi-rIN/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-pl-rPL/google-playstore-strings.xml b/app/src/main/res/android/values-pl-rPL/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-pl-rPL/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-pl-rPL/strings.xml b/app/src/main/res/android/values-pl-rPL/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-pl-rPL/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-ps-rAF/google-playstore-strings.xml b/app/src/main/res/android/values-ps-rAF/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-ps-rAF/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-ps-rAF/strings.xml b/app/src/main/res/android/values-ps-rAF/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-ps-rAF/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-pt-rBR/google-playstore-strings.xml b/app/src/main/res/android/values-pt-rBR/google-playstore-strings.xml deleted file mode 100644 index 8b90b932..00000000 --- a/app/src/main/res/android/values-pt-rBR/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio é um app para pessoas com diabetes focado no usuário - Com o Glucosio, você pode gravar e acompanhar seus níveis de glicemia, contribuir anonimamente com pesquisas sobre diabetes compartilhando tendências de glicemia e informações demográficas, assim como receber dicas importantes através do nosso assistente. O Glucosio respeita a sua privacidade e você sempre tem o controle sobre os seus dados. - * Focado no usuário. Os apps do Glucosio são construídos com recursos e um design que correspondem às necessidades do usuário e estamos sempre abertos à sua opinião para melhorarmos. - * Código aberto. Os apps do Glucosio dão a você a liberdade de usar, copiar, estudar e modificar o código fonte de qualquer um dos nossos apps e até contribuir com o projeto do Glucosio. - * Gerenciamento de dados. O Glucosio permite que você possa acompanhar e gerenciar os dados sobre a sua diabetes com uma interface intuitiva e moderna, construída com a ajuda de outras pessoas com diabetes. - * Apoio à pesquisa. Os apps do Glucosio dão ao usuário a opção de compartilhar com pesquisadores informações sobre a sua diabetes e dados demográficos de forma anônima. - Por favor, registre qualquer qualquer bug, reclamação ou peça novos recursos em: - https://github.com/glucosio/android - Mais detalhes: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-pt-rBR/strings.xml b/app/src/main/res/android/values-pt-rBR/strings.xml deleted file mode 100644 index b5ac972d..00000000 --- a/app/src/main/res/android/values-pt-rBR/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Configurações - Enviar comentários - Visão geral - Histórico - Dicas - Olá. - Olá. - Termos de uso. - Eu li e aceito os Termos de Uso - O conteúdo do site Glucosio e apps, tais como texto, gráficos, imagens e outros materiais (\"Conteúdo\") é apenas para fins informativos. O conteúdo não se destina a ser um substituto para aconselhamento médico profissional, diagnóstico ou tratamento. Nós encorajamos os usuários do Glucosio a sempre procurar o conselho do seu médico ou outro provedor de saúde qualificado com qualquer dúvida que você possa ter em relação a uma situação médica. Nunca desconsidere o aconselhamento médico profissional ou deixe de buscá-lo por causa de algo que você tenha lido no site do Glucosio ou em nossos aplicativos. O site do Glucosio, Blog, Wiki e outros conteúdos acessíveis via navegador de web (\"site\") devem ser usados apenas para os fins descritos acima. \n Confiar em qualquer informação fornecida por Glucosio, membros da equipe Glucosio, voluntários e outros aparecendo no site ou em nossos aplicativos é um risco exclusivamente seu. O Site e seu Conteúdo são fornecidos \"como estão\". - Precisamos de algumas coisas rápidas antes de você começar. - País - Idade - Por favor, insira uma idade válida. - Sexo - Masculino - Feminino - Outros - Tipo de diabetes - Tipo 1 - Tipo 2 - Unidade preferida - Compartilhar dados anônimos para pesquisa. - Você pode fazer alterações em Configurações depois. - PRÓXIMO - COMEÇAR - Não há informação disponível ainda. \n Adicionar sua primeira leitura aqui. - Adicionar o nível de glicose no sangue - Concentração - Data - Horário - Medido - Antes do café - Depois do café - Antes do almoço - Depois do almoço - Antes do jantar - Depois do jantar - Geral - Verificar novamente - À noite - Outros - CANCELAR - ADICIONAR - Por favor, insira um valor válido. - Por favor, preencha todos os campos. - Excluir - Editar - 1 leitura eliminada - DESFAZER - Última verificação: - Tendência do mês passado: - no intervalo e saudável - Mês - Dia - Semana - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - Sobre - Versão - Termos de uso - Tipo - Peso - Categoria de medição personalizada - - Coma mais alimentos frescos, não-processados, para ajudar a reduzir a ingestão de carboidratos e açúcar. - Leia o rótulo nutricional em alimentos embalados e bebidas para controlar a ingestão de açúcar e carboidratos. - Quando comer fora, peça peixe ou carne grelhada sem manteiga ou óleo. - Quando comer fora, pergunte se eles têm pratos com baixo teor de sódio. - Quando comer fora, coma as mesmas porções que você comeria em casa e leve as sobras para viagem. - Quando comer fora, peça itens de baixa caloria, como molhos para salada, mesmo que eles não estejam no menu. - Quando comer fora, faça substituições. Em vez de batatas fritas, peça uma porção dupla de vegetais, como saladas, feijão ou brócolis. - Quando comer fora, peça alimentos que não sejam empanados nem fritos. - Quando comer fora, peça molhos e temperos para salada para acompanhar. - \"Sem açúcar\" não significa realmente \"sem açúcar\". Isso significa 0,5 grama (g) de açúcar por porção, então tenha cuidado para não exagerar na quantidade de itens \"sem açúcar\". - Buscar um peso saudável ajuda a controlar a glicemia. Um personal trainer, um nutricionista e seu médico podem fazer você começar um plano que vai funcionar para você. - Verificar a sua glicemia e acompanhar em um app como o Glucosio duas vezes por dia ajudará você a estar ciente dos resultados das suas escolhas alimentares e estilo de vida. - Faça exames de sangue A1c para descobrir sua média de glicemia durante os últimos 2 ou 3 meses. Seu médico deve dizer a frequência necessária para repetir esses exames. - Contar quanto carboidrato você consome pode ser tão importante quanto verificar a glicemia, já que os carboidratos influenciam os níveis de glicose no sangue. FalE com seu médico ou um nutricionista sobre a ingestão de carboidratos. - Controlar a pressão arterial, o colesterol e triglicérides é importante, já que os diabéticos são suscetíveis a doenças cardíacas. - Há várias abordagens de dieta que você pode tentar para se alimenar de maneira mais saudável, ajudando a melhorar sua diabetes. Procure ajuda de um nutricionista sobre o que funcionará melhor para você e seu orçamento. - Praticar exercícios regulares é particularmente importante para os diabéticos e pode ajudá-lo a manter um peso saudável. Converse com seu médico sobre os exercícios que serão convenientes para você. - A falta de sono pode fazer você comer mais, especialmente coisas como fast-food e, como resultado, pode afetar negativamente a sua saúde. Certifique-se de ter uma boa noite de sono e consultar um especialista do sono, se você estiver tendo dificuldades. - Estresse pode ter um impacto negativo na diabetes. Converse com seu médico ou outro profissional de saúde sobre como lidar com o estresse. - Visitar seu médico uma vez por ano, assim como manter um contato regular ao longo do ano, é importante para os diabéticos prevenirem qualquer aparecimento súbito de problemas de saúde associados. - Tome sua medicação conforme prescrito pelo seu médico. Mesmo pequenos esquecimentos podem afetar sua glicemia e causar outros efeitos colaterais. Se estiver tendo dificuldade com os horários, pergunte ao seu médico sobre como gerenciar a medicação e opções de lembretes. - - - Diabéticos mais idosos têm maior risco de desenvolverem problemas de saúde associados com o diabetes. Converse com seu médico sobre como sua idade desempenha um papel no seu diabetes e o que deve ser observado. - Limite a quantidade de sal que você usa para cozinhar e que você adiciona às refeições após o preparo. - - Assistente - ATUALIZAR AGORA - OK, ENTENDI - ENVIAR COMENTÁRIOS - ADICIONAR LEITURA - Atualize seu peso - Certifique-se de atualizar seu peso para que Glucosio tenha sempre as informações mais precisas. - Atualize seu opt-in de pesquisa - Você pode sempre entrar ou sair do compartilhamento de pesquisas sobre diabetes, mas lembre-se que todos os dados compartilhados são totalmente anônimos. Somente compartilhamos Demografia e tendências dos níveis de glicemia. - Criar categorias - Glucosio vem com categorias padrão para a entrada de glicose, mas você pode criar categorias personalizadas nas configurações para atender às suas necessidades exclusivas. - Confira aqui frequentemente - O assistente Glucosio fornece dicas regulares e vai continuar melhorando, portanto, sempre confira aqui ações úteis que você pode tomar para melhorar a sua experiência com o Glucosio e outras dicas úteis. - Enviar comentários - Se você encontrar quaisquer problemas técnicos ou tiver comentários sobre o Glucosio, nós encorajamos você a apresentá-los no menu de configuraçõesm, a fim de nos ajudar a melhorar o Glucosio. - Adicionar uma leitura - Não se esqueça de adicionar regularmente as leituras de glicemia, para podermos ajudá-lo a controlar seus níveis de glicemia ao longo do tempo. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Faixa preferencial - Faixa personalizada - Valor mínimo - Valor máximo - EXPERIMENTE AGORA - diff --git a/app/src/main/res/android/values-pt-rPT/google-playstore-strings.xml b/app/src/main/res/android/values-pt-rPT/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-pt-rPT/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-pt-rPT/strings.xml b/app/src/main/res/android/values-pt-rPT/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-pt-rPT/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-qu-rPE/google-playstore-strings.xml b/app/src/main/res/android/values-qu-rPE/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-qu-rPE/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-qu-rPE/strings.xml b/app/src/main/res/android/values-qu-rPE/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-qu-rPE/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-quc-rGT/google-playstore-strings.xml b/app/src/main/res/android/values-quc-rGT/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-quc-rGT/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-quc-rGT/strings.xml b/app/src/main/res/android/values-quc-rGT/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-quc-rGT/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-qya-rAA/google-playstore-strings.xml b/app/src/main/res/android/values-qya-rAA/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-qya-rAA/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-qya-rAA/strings.xml b/app/src/main/res/android/values-qya-rAA/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-qya-rAA/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-rm-rCH/google-playstore-strings.xml b/app/src/main/res/android/values-rm-rCH/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-rm-rCH/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-rm-rCH/strings.xml b/app/src/main/res/android/values-rm-rCH/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-rm-rCH/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-rn-rBI/google-playstore-strings.xml b/app/src/main/res/android/values-rn-rBI/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-rn-rBI/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-rn-rBI/strings.xml b/app/src/main/res/android/values-rn-rBI/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-rn-rBI/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-ro-rRO/google-playstore-strings.xml b/app/src/main/res/android/values-ro-rRO/google-playstore-strings.xml deleted file mode 100644 index 17b65145..00000000 --- a/app/src/main/res/android/values-ro-rRO/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio este o aplicatie centrată pe utilizator, gratuită şi open source, pentru persoanele cu diabet zaharat - Folosind Glucosio, puteţi introduce şi urmări nivelurile de glucoză din sânge, sprijini anonim cercetarea diabetului contribuind date demografice şi tendinţe anonimizate ale nivelului de glucoză, şi obţine sfaturi utile prin intermediul asistentului nostru. Glucosio respectă confidenţialitatea şi sunteţi mereu în controlul datelor dvs. - * Centrat pe utilizator. Aplicațiile Glucosio sunt construite cu caracteristici şi un design care se potriveşte nevoilor utilizatorului şi suntem în mod constant deschisi la feedback pentru a ne îmbunătăţi. - * Open-Source. Aplicațiile Glucosio dau libertatea de a folosi, copia, studia, şi schimba codul sursă pentru oricare dintre aplicațiile noastre şi chiar de a contribui la proiect Glucosio. - * Gestionare date. Glucosio vă permite să urmăriţi şi să gestionaţi datele de diabet zaharat printr-o interfaţă intuitivă, modernă, construită cu feedback-ul de la diabetici. - * Ajută cercetarea. Aplicațiile Glucosio dau utilizatorilor posibilitatea de a opta pentru schimbul de date anonimizate despre diabet şi informaţii demografice cu cercetătorii. - Vă rugăm să trimiteţi orice bug-uri, probleme sau cereri de caracteristici la: - https://github.com/glucosio/android - Detalii: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-ro-rRO/strings.xml b/app/src/main/res/android/values-ro-rRO/strings.xml deleted file mode 100644 index e4fcb486..00000000 --- a/app/src/main/res/android/values-ro-rRO/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Setări - Trimite feedback - General - Istoric - Ponturi - Salut. - Salut. - Termeni de folosire - Am citit și accept termenii de folosire - Conținutul site-ului și applicațiilor Glucosio, cum ar fi textul, graficele, imaginile și alte materiale (”Conținut”) sunt doar cu scop informativ. Conținutul nu este un înlocuitor la sfatul medicului, diagnostic sau tratament. Ne încurajăm utilizatorii să caute ajutorul medicului când vine vorba de orice afecțiune. Nu ignorați sfatul medicului sau amânați căutarea lui din cauza a ceva ce ați citit pe site-ul sau aplicațiile Glucosio. Site-ul, blogul și wiki-ul Glucosio și alte resurse accesibile prin navigator (”Site-ul”) ar trebuii folosite doar în scopurile menționate mai sus.\n Încrederea în orice informație asigurată de Glucosio, membrii echipei Glucosio, voluntari și alții, apărută pe Site sau în aplicațiile noastre este pe riscul dumneavoastră. Site-ul și Conținutul sunt furnizate pe principiul \"ca atare\". - Avem nevoie de doar câteva lucruri rapide înainte de a începe. - Țară - Vârsta - Te rog introdu o vârsta validă. - Sex - Masculin - Feminin - Altul - Tipul diabetului - Tip 1 - Tip 2 - Unitatea preferată - Patajează date în mod anonim pentru cercetare. - Poți schimba aceste setări mai târziu. - URMĂTORUL - CUM SĂ ÎNCEPI - Nu avem informații disponibile momentan. \n Adaugă prima înregistrare aici. - Adaugă Nivelul Glucozei în Sânge - Concentrație - Dată - Ora - Măsurat - Înainte de micul dejun - După micul dejun - Înainte de prânz - După prânz - Înainte de cină - După cină - General - Re-verifică - Noapte - Altul - RENUNȚĂ - ADAUGĂ - Te rog introdu o valoare validă. - Te rog completează toate câmpurile. - Șterge - Modifică - O înregistrare ștearsă - ANULEAZĂ - Ultima verificare: - Tendința pe ultima lună: - în medie și sănătos - Lună - Zi - Săptămâna - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - Despre - Versiunea - Termeni de folosire - Tip - Greutate - Categorie de măsurare proprie - - Mănâncă mai multă mâncare proaspătă, neprocesată pentru a reduce carbohidrații și zaharurile. - Citește eticheta de pe mâncare si băutură pentru a controla aportul de carbohidrați și zaharuri. - Când mănânci în oraș, cere pește sau carne fiartă fără adaos de unt sau ulei. - Când mănânci în oraș, cere preparate cu conținut scăzut de sodiu. - Când mănânci în oraș, mănâncă aceeaşi porţie ca și acasă şi ia restul la pachet. - Când mănânci în oraș cere înlocuitori cu calorii puține, cum ar fi sosul pentru salată, chiar dacă nu sunt pe meniu. - Când mănânci în oraș cere schimbări în meniu. În loc de cartofi prăjiți, cere o porție dublă de legume, ca salată, mazăre verde sau broccoli. - Când mănânci în oraș cere mâncăruri care nu sunt cu pesmet sau prăjite. - Când mănânci în oraș cere ca sosurile să fie aduse separat. - Fără zahăr nu înseamnă chiar fără zahăr. Înseamnă 0.5 grame (g) de zahăr per porție, așa că ai grijă să nu faci exces de produse fără zahăr. - O greutate sănătoasă ajută la controlul zaharurilor din sânge. Doctorul, dieteticianul și instructorul de fitness te poate ajuta să faci un plan care funcționează pentru tine. - Verificarea nivelului glucozei în sânge și înregistrarea lui într-o aplicație ca Glucosio de două ori pe zi te va ajuta să vezi rezultatele pe care le au alegerile tale legate de mâncare și stilul de viață. - Fă testul de sânge A1c ca să aflii media glucozei în sânge pentru ultimele 2-3 luni. Doctorul ar trebuii să îți spună cât de des va trebuii să faci testul acesta. - Nivelul carbohidraților consumați poate fi la fel de important ca verificarea nivelului zaharurilor in sânge deoarece carbohidrații influențează nivelul glucozei în sânge. Consultă doctorul sau nutriționistul despre consumul de carbohidrați. - Măsurarea tensiunii, colesterolului și trigliceridelor este importantă deoarece diabeticii sunt predispuși problemelor cardiace. - Sunt câteva diete pe care le poți urma pentru a mânca mai sănătos si pentru a te ajuta să îți ameliorezi starea diabetului. Consultă un nutriționist pentru a vedea ce dietă ți se potrivește. - Exercițiile fizice regulate sunt foarte importante pentru diabetici și pot ajuta la menținerea unei greutăți sănătoase. Vorbește cu doctorul despre exercițiile care sunt indicate pentru tine. - Insomniile pot crește pofta de mâncare, în special mâncare nesănătoasă si ca un rezultat îți pot afecta negativ sănătatea. Ai grijă să dormi suficient și să consulți un specialist daca ai probleme cu somnul. - Stresul poate avea un impact negativ asupra diabetului. Vorbește cu doctorul sau cu un terapeut despre reducerea stresului. - Vizita medicală o data pe an si comunicarea cu doctorul pe parcursul anului este importantă pentru diabetici pentru a preveni orice apariție bruscă a problemelor medicale asociate cu diabetul. - Ia tratamentul așa cum a fost prescris de doctor, chiar și cele mai mici abateri pot afecta nivelul glucozei în sânge si pot cauza alte efecte secundare. Dacă ai probleme cu memoria cere-i doctorului sfaturi despre cum sa îți organizezi tratamentul și ce poți face ca să îți amintești mai usor. - - - Persoanele diabetice în vârstă pot avea un risc mai mare pentru problemele de sănătate asociate cu diabetul. Vorbește cu doctorul despre cum vârsta joacă un rol in diabet și cum să îl monitorizezi. - Limitează cantitatea de sare pe care o folosești când gătesti sau pe care o adaugi în mâncare după ce a fost gătită. - - Asistent - Actualizaţi acum - OK, AM ÎNȚELES - TRIMITE FEEDBACK - ADAUGĂ ÎNREGISTRARE - Actualizați greutatea dumneavoastră - Asiguraţi-vă că actualizați greutatea dumneavoastră, astfel încât Glucosio să aibă informaţii cât mai precise. - Actualizați opțiunea pentru cercetare - Puteţi întotdeauna opta pentru a ajuta studiul de cercetare a diabetului, dar țineti minte că toate datele sunt anonime. Împărtăşim numai date demografice şi tendinţele nivelului de glucoză. - Crează categorii - Glucosio vine cu categorii implicite pentru glucoză, dar puteţi crea categorii particularizate în setări pentru a se potrivi nevoilor dumneavoastră unice. - Reveniți des - Asistentul Glucosio oferă sfaturi regulate şi se va îmbunătăți, astfel încât întotdeauna reveniți aici pentru acţiuni utile pe care puteţi lua pentru a îmbunătăţi experienţa dumneavoastră Glucosio şi pentru alte sfaturi utile. - Trimite feedback - Dacă găsiţi orice probleme tehnice sau aveți feedback despre Glucosio vă recomandăm să-l trimiteți prin meniul de setări, pentru a ne ajuta să îmbunătăţim Glucosio. - Adauga o înregistrare - Asiguraţi-vă că adăugați în mod regulat înregistrările dumneavoastră de glucoză, astfel încât să vă putem ajuta să urmăriți nivelurile glucozei în timp. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Gamă preferată - Gamă proprie - Valoare minimă - Valoare maximă - ÎNCEARCĂ ACUM - diff --git a/app/src/main/res/android/values-ru-rRU/google-playstore-strings.xml b/app/src/main/res/android/values-ru-rRU/google-playstore-strings.xml deleted file mode 100644 index d513589a..00000000 --- a/app/src/main/res/android/values-ru-rRU/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio — бесплатное и свободное приложение с открытым исходным кодом для людей, больных диабетом - Используя Glucosio, вы можете вводить и отслеживать данные об уровне глюкозы, анонимно поддерживать исследования диабета путём отправки анонимных данных о демографии и уровне глюкозы, а также получать от нас советы. Glucosio уважает вашу частную жизнь, контроль над вашими данными остаётся за вами. - * Пользователи превыше всего. Приложения Glucosio построены так, что их возможности и дизайн подходят под пользовательские нужны, мы открыты и стремимся улучшить наши приложения. - * Открытый исходный код. Glucosio даёт вам право свободно использовать, копировать, изучать и изменять исходный код любых наших приложений, а также участвовать в проекте Glucosio. - * Управление данными. Glucosio позволяет вам отслеживать и управлять данными, связанными с диабетом при помощи интуитивной и современной формы обратной связи. - * Поддержка исследований. Glucosio даёт пользователям возможность отправлять исследователям анонимные данные о диабете, а также сведения демографического характера. - Сообщайте об ошибках, проблемах, а также отправляйте запросы новых возможностей по адресу: - https://github.com/glucosio/android - Дополнительная информация: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-ru-rRU/strings.xml b/app/src/main/res/android/values-ru-rRU/strings.xml deleted file mode 100644 index d6efa786..00000000 --- a/app/src/main/res/android/values-ru-rRU/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Настройки - Отправить отзыв - Общие сведения - История - Подсказки - Привет. - Привет. - Условия использования. - Я прочитал условия использования и принимаю их - Содержание веб-сайта и приложения Glucosio, такие как текст, графика, изображения и другие материалы (\"Содержание\") предназначены только для информационных целей. Указанное содержание не является заменой профессиональной медицинской консультации, диагноза или лечения. Мы советуем пользователям Glucosio всегда обращаться за консультацией к врачу или другому квалифицированному специалисту в случае возникновения любых вопросов касательно состояния их здоровья. Никогда не отказывайтесь от профессиональных медицинских рекомендаций и не откладывайте визит к врачу из-за того, что вы что-то прочитали на веб-сайте Glucosio или в нашем приложении. Веб-сайт Glucosio, блог, вики и другое содержание, открываемое веб-браузером, (\"Веб-сайт\") предназначены только для указанного выше использования.\n Вы полагаетесь на информацию, предоставляемую Glucosio, членами команды Glucosio, волонтёрами и другими пользователями Веб-сайта или нашего приложения на свой страх и риск. Веб-сайт и Содержание предоставляются \"как есть\". - Для того, чтобы начать, нам нужны некоторые сведения. - Страна - Возраст - Пожалуйста, введите возраст правильно. - Пол - Мужской - Женский - Другое - Тип диабета - Тип 1 - Тип 2 - Предпочитаемые единицы измерения - Поделиться анонимными данными для исследований. - Позже вы можете изменить свои настройки. - ДАЛЬШЕ - НАЧАТЬ - Информация пока не доступна. \n Добавьте сюда ваши первые данные. - Добавить уровень глюкозы в крови - Концентрация - Дата - Время - Измерено - До завтрака - После завтрака - До обеда - После обеда - До ужина - После ужина - Общее - Повторная проверка - Ночь - Другое - ОТМЕНА - ДОБАВИТЬ - Введите корректное значение. - Пожалуйста, заполните все поля. - Удалить - Правка - 1 запись удалена - ОТМЕНИТЬ - Последняя проверка: - Тенденция по данным прошлого месяца: - в норме - Месяц - День - Неделя - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - О нас - Версия - Условия использования - Тип - Вес - Собственные категории измерений - - Ешьте больше свежих, необработанных продуктов, это поможет снизить потребление углеводов и сахара. - Читайте этикетки на упакованных продуктах и напитках, чтобы контролировать потребление сахара и углеводов. - Если едите вне дома, спрашивайте рыбу или мясо, обжаренные без дополнительного сливочного или растительного масла. - Когда едите вне дома, спрашивайте блюда с низким содержанием натрия. - Когда едите вне дома, ешьте те же порции, которые вы едите дома, а остатки можете забрать с собой. - Когда едите вне дома, спрашивайте низкокалорийную еду, например листья салата, даже если их нет в меню. - Когда едите вне дома, спрашивайте замену. Вместо картофеля фри попросите двойную порцию таких овощей как салат, зелёные бобы или брокколи. - Когда едите вне дома, не заказывайте жаренную еду и еду в панировке. - Когда едите вне дома, просите разместить соус, подливку и листья салата с краю тарелки. - \"Без сахара\" не означает, что сахара нет. Это означает, что в порции содержится 0,5 грамм сахара, поэтому будьте внимательны, не ешьте много сахаросодержащих продуктов. - Нормализация веса помогает контролировать сахар в крови. Ваш доктор, диетолог и фитнес-тренер помогут вам разработать план нормализации веса. - Проверяйте уровень сахара в крови и отслеживайте его с помощью специальных приложений, таких как Glucosio, дважды в день, это поможет вам разобраться в еде и образе жизни. - Сделайте анализ крови A1c, чтобы узнать средний уровень сахара в крови за 2-3 месяца. Ваш врач должен рассказать вам, как часто следует сдавать такой анализ. - Отслеживание потребляемых углеводов может быть столь же важно, как и проверка уровня сахара в крови, поскольку углеводы влияют на уровень глюкозы в крови. Обсудите с вашим врачом или диетологом ваше потребление углеводов. - Контролирование кровяного давления, уровня холестерина и триглицеридов имеет важное значение, поскольку диабетики подвержены болезням сердца. - Существует несколько вариантов диеты, с их помощью вы можете есть более здоровую пищу, это поможет вам контролировать свой диабет. Спросите диетолога о том, какая диета лучше подойдёт вам и вашему бюджету. - Регулярные физические упражнения особенно важны для диабетиков, поскольку они помогают поддерживать нормальный вес. Обсудите с вашим врачом то, какие упражнения вам больше всего подходят. - Недосып приводит к перееданию (особенно нездоровой пищей), что плохо отражается на вашем здоровье. Хорошо высыпайтесь по ночам. Если же вас беспокоят проблемы со сном, обратитесь к специалисту. - Стресс оказывает отрицательное влияние на диабетиков. Обсудите с вашим врачом или другим специалистом то, как справляться со стрессом. - Ежегодные посещения врача и поддержание связи с ним всё время очень важно для диабетиков, это позволит предотвратить любую резкую вспышку болезни. - Принимайте лекарства по назначению вашего врача, даже небольшие пропуски в приёме лекарств могут оказать влияние на уровень сахара в крови, а также иметь и другие эффекты. Если вам сложно помнить о приёме лекарств, спросите вашего врача о существующих возможностях напоминания. - - - Пожилые диабетики более подвержены риску возникновения проблем со здоровьем. Обсудите с вашим врачом то, как ваш возраст влияет на заболевание диабетом, и чего вам следует опасаться. - Ограничьте количество соли в приготовляемой вами еде. Также ограничьте количество соли, которое вы добавляете в уже приготовленную еду. - - Помощник - ОБНОВИТЬ СЕЙЧАС - ХОРОШО, Я ПОНЯЛ - ОТПРАВИТЬ ОТЗЫВ - ДОБАВИТЬ ДАННЫЕ - Обновите свой вес - Убедитесь, что вы обновили свой вес, и у Glucosio имеется наиболее точная информация. - Обновить согласие на участие в исследованиях - Вы можете принять участие в исследовании диабета или отказаться от такого участия, все данных полностью анонимны. Мы делимся только демографическими данными и данными об уровне глюкозы в крови. - Создайте категории - Glucosio содержит категории по умолчанию, но в настройках вы можете создать собственные категории так, чтобы они подходили под ваши нужды. - Регулярно обращайтесь сюда - Помощник Glucosio предоставляет регулярные советы. Мы работаем над усовершенствованием нашего помощника, поэтому обращайтесь сюда за советами, которые вы сможете использовать для того, чтобы получить большую пользу от Glucosio, а также за другими полезными советами. - Отправьте отзыв - Если вы обнаружите какие-либо технические проблемы или захотите отправить отзыв о работе Glucosio, вы можете сделать это в меню настроек. Это поможет нам улучшить Glucosio. - Добавить данные - Регулярно вводите данные об уровне глюкозы, в течением времени это поможет вам отслеживать уровень глюкозы. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Предпочтительный диапазон - Собственный диапазон - Минимальное значение - Максимальное значение - ПОПРОБОВАТЬ ПРЯМО СЕЙЧАС - diff --git a/app/src/main/res/android/values-rw-rRW/google-playstore-strings.xml b/app/src/main/res/android/values-rw-rRW/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-rw-rRW/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-rw-rRW/strings.xml b/app/src/main/res/android/values-rw-rRW/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-rw-rRW/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-ry-rUA/google-playstore-strings.xml b/app/src/main/res/android/values-ry-rUA/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-ry-rUA/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-ry-rUA/strings.xml b/app/src/main/res/android/values-ry-rUA/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-ry-rUA/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-sa-rIN/google-playstore-strings.xml b/app/src/main/res/android/values-sa-rIN/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-sa-rIN/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-sa-rIN/strings.xml b/app/src/main/res/android/values-sa-rIN/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-sa-rIN/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-sat-rIN/google-playstore-strings.xml b/app/src/main/res/android/values-sat-rIN/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-sat-rIN/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-sat-rIN/strings.xml b/app/src/main/res/android/values-sat-rIN/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-sat-rIN/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-sc-rIT/google-playstore-strings.xml b/app/src/main/res/android/values-sc-rIT/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-sc-rIT/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-sc-rIT/strings.xml b/app/src/main/res/android/values-sc-rIT/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-sc-rIT/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-sco-rGB/google-playstore-strings.xml b/app/src/main/res/android/values-sco-rGB/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-sco-rGB/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-sco-rGB/strings.xml b/app/src/main/res/android/values-sco-rGB/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-sco-rGB/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-sd-rPK/google-playstore-strings.xml b/app/src/main/res/android/values-sd-rPK/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-sd-rPK/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-sd-rPK/strings.xml b/app/src/main/res/android/values-sd-rPK/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-sd-rPK/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-se-rNO/google-playstore-strings.xml b/app/src/main/res/android/values-se-rNO/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-se-rNO/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-se-rNO/strings.xml b/app/src/main/res/android/values-se-rNO/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-se-rNO/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-sg-rCF/google-playstore-strings.xml b/app/src/main/res/android/values-sg-rCF/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-sg-rCF/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-sg-rCF/strings.xml b/app/src/main/res/android/values-sg-rCF/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-sg-rCF/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-sh-rHR/google-playstore-strings.xml b/app/src/main/res/android/values-sh-rHR/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-sh-rHR/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-sh-rHR/strings.xml b/app/src/main/res/android/values-sh-rHR/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-sh-rHR/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-si-rLK/google-playstore-strings.xml b/app/src/main/res/android/values-si-rLK/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-si-rLK/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-si-rLK/strings.xml b/app/src/main/res/android/values-si-rLK/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-si-rLK/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-sk-rSK/google-playstore-strings.xml b/app/src/main/res/android/values-sk-rSK/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-sk-rSK/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-sk-rSK/strings.xml b/app/src/main/res/android/values-sk-rSK/strings.xml deleted file mode 100644 index 9bc1a5e9..00000000 --- a/app/src/main/res/android/values-sk-rSK/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Možnosti - Odoslať spätnú väzbu - Prehľad - História - Tipy - Ahoj. - Ahoj. - Podmienky používania. - Prečítal som si a súhlasím s Podmienkami používania - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Krajina - Vek - Prosím zadajte správny vek. - Pohlavie - Muž - Žena - Iné - Typ cukrovky - Typ 1 - Typ 2 - Preferovaná jednotka - Zdieľať anonymne údaje pre výskum. - Tieto nastavenia môžete neskôr zmeniť. - ĎALEJ - ZAČÍNAME - No info available yet. \n Add your first reading here. - Pridať hladinu glukózy v krvi - Koncentrácia - Dátum - Čas - Namerané - Pred raňajkami - Po raňajkách - Pred obedom - Po obede - Pred večerou - Po večeri - Všeobecné - Znovu skontrolovať - Noc - Ostatné - ZRUŠIŤ - PRIDAŤ - Prosím, zadajte platnú hodnotu. - Vyplňte prosím všetky položky. - Odstrániť - Upraviť - odstránený 1 záznam - SPÄŤ - Posledná kontrola: - Trend za posledný mesiac: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - O programe - Verzia - Podmienky používania - Typ - Weight - Vlastné kategórie meraní - - Jedzte viac čerstvých, nespracovaných potravín, pomôžete tak znížiť príjem sacharidov a cukrov. - Čítajte informácie o nutričných hodnotách na balených potravinách a nápojoch pre kontrolu príjmu sacharidov a cukrov. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - Pri stravovaní mimo domov nejedzte obalované, alebo vysmážané jedlá. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Obmedzte množstvo soli, ktorú používate pri varení a ktorú pridávate do jedla po dovarení. - - Asistent - AKTUALIZOVAŤ TERAZ - OK, GOT IT - ODOSLAŤ SPÄTNÚ VÄZBU - PRIDAŤ MERANIE - Aktualizujte vašu hmotnosť - Uistite sa, aby bola vaša váha vždy aktuálna, aby mal Glucosio čo najpresnejšie údaje. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Vytvoriť kategórie - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Odoslať spätnú väzbu - Ak nájdete nejaké technické problémy, alebo nám chcete zanechať spätnú väzbu o Glucosio odporúčame vám ju odoslať cez položku v nastaveniach. Pomôžete tak vylepšiť Glucosio. - Pridať meranie - Uistite sa, aby ste pravidelne pridávali hodnoty hladiny glykémie tak, aby sme vám mohli pomôcť priebežne sledovať hladiny glukózy. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-sl-rSI/google-playstore-strings.xml b/app/src/main/res/android/values-sl-rSI/google-playstore-strings.xml deleted file mode 100644 index 36ee0de6..00000000 --- a/app/src/main/res/android/values-sl-rSI/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio, sladkornim bolnikom namenjena aplikacije, je brezplačna in odprto kodna rešitev - Z uporabo Glucosio, lahko vnašate in spremljate ravni glukoze v krvi, s posredovanjem demografskih in anonimnih gibanj glukoze anonimno podpirate raziskave o diabetesu in prebirate uporabne nasvete našega pomočnika. Glucosio spoštuje vašo zasebnost in vam vedno daje nadzor nad vašimi podatki. - * Posvečeno uporabniku. Aplikacija Glucosio je narejena z funkcijami in oblikovanjem, ki ustreza uporabnikovim potrebam in jo stalno izboljšujemo glede na vaše povratne informacije. - * Odprto kodna. Glucosio aplikacija vam daje svobodo pri uporabi, kopiranju, preučevanju in spreminjanju izvorne kode v naših aplikacijah, da lahko prispevate k Glucosio projektu. - * Urejanje podatkov. Glucosio vam omogoča, da sledite in urejate podatke vašega diabetesa na intuitivnem, sodobnem vmesniku, kjer boste prejeli povratne informacije drugih diabetikov. - * Podprite raziskave. Glucosio aplikacija uporabnikom daje možnost, da lahko z raziskovalci anonimno delijo podatke diabetesa in demografske podatke. - Vse napake, težave ali želje nam sporočite na: - https://github.com/glucosio/android - Več informacij: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-sl-rSI/strings.xml b/app/src/main/res/android/values-sl-rSI/strings.xml deleted file mode 100644 index 9e328647..00000000 --- a/app/src/main/res/android/values-sl-rSI/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Nastavitve - Pošljite povratne informacije - Pregled - Zgodovina - Nasveti - Dobrodošli. - Dobrodošli. - Pogoji uporabe. - Sprejmem pogoje uporabe - Vsebina spletne strani Glucosio in aplikacij, besedilo, grafike, slike in ostali material (\"Content\") so informativne narave. Vsebina ni namenjena kot nadomestilo za strokovni zdravniški nasvet, diagnozo ali zdravljenje. Uporabnike Glucosio storitev spodbujamo, da se vedno posvetujejo z zdravnikom ali drugim usposobljenim zdravstvenim osebjem o vseh vprašanjih, ki bi jih imeli o svojem zdravstvenem stanju. Ne ignorirajte strokovnega zdravniškega nasveta in ne odlašajte iskanje pomoči zaradi nečesa, kar ste prebrali na spletni strani Glucosio ali v naših aplikacijah. Spletna stran Glucosio, blog, Wiki stran in ostala vsebina, ki je dostopna spletnim brskalnikom (\"Website\") je namenjena samo za opisane namene.\n Zanašanje na katero koli informacijo, ki jo je posredovalo podjetje Glucosio, člani ekipe Glucosio, prostovoljci in drugi osebe, ki objavljajo na spletni strani ali aplikacijah, je izključno vaša lastna odgovornost. Stran in vsebina so na voljo \"tako kot so\". - Preden začnete, potrebujemo nekaj podatkov. - Država - Starost - Vnesite veljavno starost. - Spol - Moški - Ženska - Ostalo - Sladkorna bolezen tipa - Tip 1 - Tip 2 - Želena enota - Delite anonimne podatke za raziskave. - Spremenite lahko spremenite kasneje. - NASLEDNJI - ZAČNI - Informacije še niso na voljo. \n Dodajte svojo prvo meritev. - Dodaj raven glukoze v krvi - Koncentracija - Datum - Ura - Izmerjene vrednosti - Pred zajtrkom - Po zajtrku - Pred kosilom - Po kosilu - Pred večerjo - Po večerji - Splošno - Ponovno - Noč - Ostalo - PREKLIČI - DODAJ - Vnesite veljavno vrednost. - Prosimo, izpolnite vsa polja. - Izbriši - Uredi - 1 meritev je bila izbrisana - RAZVELJAVI - Zadnja meritev: - Spremembe v zadnjem mesecu: - v obsegu in zdravju - Mesec - Dan - Teden - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - Vizitka - Različica - Pogoji uporabe - Tip - Teža - Uporabnikove kategorije merjenja - - Uživajte več sveže, neobdelane hrane. S tem boste zmanjšali vnos ogljikovih hidratov in sladkorja. - Preberite oznako na pakiranih živilih in pijači in se seznanite z vnosom sladkorja in ogljikovih hidratov. - Ko jeste zunaj, prosite za ribo ali meso, ki je pečeno brez dodatnega masla ali olja. - Ko jeste zunaj, vprašajte, če imajo jedi z nizko vsebnostjo natrija. - Ko jeste zunaj, pojejte enako porcijo kot doma in odnesite ostanke s seboj. - Ko jeste zunaj, prosite za nizkokalorične dodatke, kot je solatni preliv, tudi, če ni napisan na meniju. - Ko jeste zunaj, vprašajte, če je možna menjava. Namesto pečenega krompirčka vzemite dvojno zelenjavno prilogo, solato, stročji fižol ali brokoli. - Ko jeste zunaj, naročite hrano, ki ni panirana ali ocvrta. - Ko jeste zunaj, vprašajte za omake in solatne prelive, ki jih nimajo v meniju. - Oznaka brez sladkorja ne pomeni, da je izdelek brez dodanega sladkorja. Pomeni 0,5 g sladkorja na porcijo, zato bodite previdni, da si ne privoščite preveč izdelkov brez sladkorja. - Strmenje k zdravi telesni teži vam bo pomagalo nadzirati krvni sladkor. Vaš zdravnik, dietni svetovalec in fitnes trener vam lahko pripravijo načrt, ki vam bo pomagal na vaši poti. - Preverjajte raven sladkorja v krvi in jo dvakrat dnevno beležite z aplikacijo kot je Glucosio. To vam bo pomagalo, da se boste zavedali vpliva hrane in življenjskega stila. - Pridobite si A1c krvne teste in ugotovite vašo povprečno raven sladkorja v krvi za pretekle 2 do 3 mesece. Vaš zdravnik vam bo povedal, kako pogosto morate te teste opravljati. - Spremljanje količine zaužitih ogljikovih hidratov je tako pomembno kot preverjanje količine sladkorja v krvi, saj nanjo vplivajo ogljikovi hidrati vplivajo. O vnosu ogljikovih hidratov se pogovorite s svojim zdravnikom ali dietnim svetovalcem. - Nadzorovanje krvnega tlaka, holesterola in trigliceridov je pomembno, saj ste diabetiki bolj dovzetni za bolezni srca. - Obstaja več diet in pristopov, kako jesti bolj zdravo in kako zmanjšati vplive sladkorne bolezni. Poiščite nasvet strokovnjaka za diete, kaj bi bilo najboljše za vas in za vaš proračun. - Redna vadbe je za sladkorne bolnike izrednega pomena, saj vam pomaga vzdrževati pravilno telesno težo. S svojim osebnim zdravnikom se pogovorite, katere vaje so primerne za vas. - Pomanjkanje spanja lahko vodi v povečanje apetita in posledično v hranjenje s hitro pripravljeno hrano, kar lahko negativno vpliva na vaše zdravje. Zagotovite si dober spanec in se posvetujte s strokovnjakom, če imate težave. - Stres ima lahko negativen vpliv na diabetes. O obvladovanju stresa se pogovorite s svojim zdravnikom ali drugim zdravstvenim osebjem. - Redni letni obiski zdravnika in pogosta komunikacija skozi celo leto je za diabetike pomembna in preprečuje nenadne zdravstvene težave. - Zdravila, ki vam jih je predpisal zdravnik, morate jemati redno, tudi, če pride do manjših odstopanj v ravni sladkorja v krvi ali povzročajo druge stranske učinke. Če imate težave, se posvetujte s svojim zdravnikom o morebitni zamenjavi zdravil. - - - Starejši diabetiki so zaradi diabetesa lahko bolj podvrženi zdravstvenim težavam. Pogovorite se s svojim zdravnikom, kako vaša starost vpliva na vaš diabetes in na kaj morate paziti. - Omejite količino soli uporabljate pri kuhanju in ki jo dodajate že pripravljenim jedem. - - Pomočnik - POSODOBI ZDAJ - V REDU - POŠLJI POVRATNO INFORMACIJO - DODAJ MERITEV - Posodobite svojo težo - Poskrbite, da redno posodabljate svojo težo, tako, da ima aplikacija Glucosio točne informacije. - Posodobitev vaše raziskave - Vedno lahko izbirate, če želite za namene raziskav svoje podatke deliti. Vsi podatki, ki jih delite so popolnoma anonimni. Posredujemo samo demografske podatke in gibanje sladkorja v krvi. - Ustvari kategorije - Aplikacija Glucosio ima privzete kategorije za vnos glukoze, vendar si lahko ustvarite svoje lastne kategorije in jih v nastavitvah uredite, da bodo ustrezale vašim potrebam. - Pogosto preverite - Asistent v aplikaciji Glucosio vam redno ponuja nasvete. Ker se zavedamo pomembnosti, ga bomo redno nadgrajevali, zato ga večkrat preverite in se seznanite z nasveti, ki bodo omogočili boljšo uporabniško izkušnjo in vam bili v dodatno pomoč. - Pošlji povratno informacijo - Če boste imeli katero koli tehnično vprašanje ali povratno informacijo, vas prosimo, da nam jo pošljete preko menija v nastavitvah. Samo tako bomo lahko aplikacijo Glucosio redno izboljševali. - Dodaj meritev - Poskrbite, da redno dodajate vaše odčitke glukoze, da vam lahko pomagamo slediti vaši ravni glukoze. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Zaželen obseg - Uporabnikov obseg - Najmanjša vrednost - Največja vrednost - Preizkusite - diff --git a/app/src/main/res/android/values-sma-rNO/google-playstore-strings.xml b/app/src/main/res/android/values-sma-rNO/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-sma-rNO/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-sma-rNO/strings.xml b/app/src/main/res/android/values-sma-rNO/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-sma-rNO/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-sn-rZW/google-playstore-strings.xml b/app/src/main/res/android/values-sn-rZW/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-sn-rZW/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-sn-rZW/strings.xml b/app/src/main/res/android/values-sn-rZW/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-sn-rZW/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-so-rSO/google-playstore-strings.xml b/app/src/main/res/android/values-so-rSO/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-so-rSO/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-so-rSO/strings.xml b/app/src/main/res/android/values-so-rSO/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-so-rSO/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-son-rZA/google-playstore-strings.xml b/app/src/main/res/android/values-son-rZA/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-son-rZA/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-son-rZA/strings.xml b/app/src/main/res/android/values-son-rZA/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-son-rZA/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-sq-rAL/google-playstore-strings.xml b/app/src/main/res/android/values-sq-rAL/google-playstore-strings.xml deleted file mode 100644 index 06b5c928..00000000 --- a/app/src/main/res/android/values-sq-rAL/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Duke përdorur Glucosio, ju mund të fusni dhe të gjurmoni nivelet e glukozës në gjakë, të mbështesni në mënyrë anonime kërkimet rreth diabetit duke kontribuar me trendet demografike dhe anonime të glukozës, si edhe të merni këshilla të vlefshme nëpërmjet asistentit tonë. Glukosio respekton privatësin tuaj dhe ju jeni gjithmon në kontroll të të dhënave tuaja. - Përdoruesi i vënë në qëndër. Aplikacionet e Glukosio janë të ndërtuara me mjete dhe me një dizajn që përputhet me kërkesat e përdoruesit dhe ne jemi gjithmonë të hapur për sugjerime për përmirësime të mëtejshme. - Me kod burimi të hapur. Aplikacionet e Glukosio ju japin juve lirinë që të përdorni, kopjoni, studioni dhe ndryshoni kodin burim të secilit nga aplikacionet tona dhe madje edhe të kontribuoni në projektin Glukosio. - Menaxho të dhënat. Glukosio ju lejonë që të gjurmoni dhe menaxhoni të dhënat tuaja të diabetit nga një ndërfaqje intuitive dhe moderne e ndërtuar me sugjerimet e diabetikëve. - Mbështet kërkimin. Aplikacionet e Glukosio i japin përdoruesëve mundësin që të futen dhe të shpërndajnë në mënyrë anonime me kërkuesit të dhënat e tyre për diabitin dhe informacionet demografike. - Ju lutem plotësoni të metat, problemet ose kërkesat për mjete të tjera te: - https://github.com/glucosio/android - Më shume detaje: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-sq-rAL/strings.xml b/app/src/main/res/android/values-sq-rAL/strings.xml deleted file mode 100644 index 0152b8a7..00000000 --- a/app/src/main/res/android/values-sq-rAL/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Parametrat - Dërgo përshtypjet - Pasqyra - Historia - Këshilla - Përshëndetje. - Përshëndetje. - Termat e Përdorimit. - I kam lexuar dhe i pranoj Termat e Përdorimit - Përmbajtja e websitit dhe aplikacioneve Glucosio, si teksti, grafikët, imazhet dhe materiale të tjera janë vetëm për qëllime informuese. Përmbajtja nuk ka si synim të jetë një zëvëndësim i këshillave profesionale mjekësore, diagnozave apo trajtimit. Ne i inkurajojmë përdoruesit e Glucosio që gjithmonë të kërkojnë këshillën e mjekut ose të personave të tjerë të kualifikuar për çështjtet e shëndetit për pyetjet që ata mund të kenë rreth gjëndjes së tyre shëndetësore. Kurrë nuk duhet ta shpërfillni këshillën mjekësore të një profesionisti ose të mos e kërkoni atë për shkak të diçkaje që keni lexuar në websitin e Glucoson ose në ndonjë nga aplikacionet tona. Websiti i Glucosio, Blogu, Wiki, dhe përmbajtje të tjera të arritshme nëpërmjet kërkimit në web duhet të përdoren vetëm për qëllimet e përshkruara më sipër. Besimi te çdo informacion i siguruar nga Glucosio, antarët e skuadrës së Glucosio, vullnetarët dhe personat e tjerë që shfaqen në site ose ne aplikacionet tona është vetëm në dorën tuaj. Siti dhe Përmbajtja ju sigurohen me baza \"siç është\". - Na duhen vetëm disa gjëra të vogla para se të fillojmë. - Vendi - Mosha - Ju lutem vendosni një moshë të vlefshme. - Gjinia - Mashkull - Femër - Tjetër - Lloji i diabetit - Lloji 1 - Lloji 2 - Njësia e preferuar - Kontribo me të dhëna anonime për kërkime shkencore. - Mund t\'i ndryshoni këto në parametrat më vonë. - Tjetri - FILLO - Nuk ka ende informacione në dispozicion. Shtoni leximin tuaj të parë këtu. - Shto Nivelin e Glukozës në Gjak - Përqendrimi - Data - Koha - E matur - Para mëngjesit - Pas mëngjesit - Para drekës - Pas drekës - Para darkës - Pas darkës - Të përgjithshme - Kontrollo përsëri - Natë - Tjetër - ANULLO - SHTO - Ju lutemi shtoni një vlerë të vlefshme. - Ju lutem plotësoni të gjitha fushat. - Fshij - Edito - 1 lexim u fshi - RIKTHE - Shikimi i fundit: - Tendenca në muajin e fundit: - brenda kufinjve dhe i shëndetshëm - Muaj - Dita - Java - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - Rreth nesh - Versioni - Termat e përdorimit - Tipi - Pesha - Kategoria e matjeve të zakonshme - - Hani ushqime të freskëta dhe të papërpunuara për të ndihmuar reduktimin e karbohidrateve dhe të nivelit të sheqerit. - Lexoni etiketën e ushqimeve dhe pijeve të paketuara për të kontrolluar marrjen e sheqerit dhe karbohidrateve. - Kur të hani jashtë, kërkoni për peshk ose mish të pjekur pa gjalp ose vaj shtesë. - Kur të hani jashtë, kërkoni ushqime me nivel të ulët natriumi. - Kur të hani jashtë, hani vakte me të njëjtën sasi sa do hanit edhe në shtëpi dhe pjesën e mbetur merreni me vete. - Kur të hani jashtë kërkoni për artikuj me kalori të ulëta, si salcat për sallatën edhe nëse ato nuk janë në menu. - Kur të hani jashtë kërkoni për zëvëndësime. Në vend të patateve të skuqura, kërkoni një porosi në sasi të dyfishtë me perime si sallata, bishtaja ose brokoli. - Kur të hani jashtë, porosisni ushqime që nuk janë të thata ose të skuqura. - Kur të hani jashtë kërkoni për salca, leng mishi dhe sallatën anës. - Pa sheqer nuk do të thotë me të vërtetë pa sheqer. Do të thotë 0.5 gram (g) sheqer për çdo vakt, kështu që tregohuni të kujdesshëm që të mos e teproni me shumë artikuj pa sheqer. - Të arrish një peshë të shëndetshme ndihmon në kontrollin e nivelit të sheqerit në gjak. Doktori juaj, dietologu dhe trajneri i fitnesit mund te te prezantojnë me nje plan që do funksionojë për ju. - Të kontrollosh nivelin e substancave në gjak dhe ta gjurmosh atë me një aplikacion si Glucosio dy herë në ditë, do ju ndihmojë të jeni të ndërgjegjshëm për rezultatet e ushqimit dhe të stilit tuaj të jetesës. - Bëni testet A1c të gjakut për të zbuluar nivelin mesatar të sheqerit në gjak për 2 deri në 3 muajt e fundit. Doktori juaj duhet t\'ju tregojë sesa shpesh ky test duhet të kryhet. - Gjurmimi i sasisë së karbohidrateve që konsumoni mund të jetë po aq e rëndësishme sa kontrolli i nivelit të substancave në gjak pasi karbohidratet influencojnë ndjeshëm nivelin e glikozës në gjak. Flisni me një doktor ose me një dietolog për marrjen e karbohidrateve. - Kontrolli i presionit të gjakut, kolesterolit dhe nivelit të triglicerideve është e rëndësishme pasi diabetikët janë të predispozuar për sëmundjet e zemrës. - Ka disa dieta të përafërta që mund të ndiqni për të ngrënë në mënyrë të shëndetshme dhe për të përmirësuar rezultatet e diabetit. Kërkoni këshilla nga një dietolog për atë që do të ishte më e mira për ju dhe buxhetin tuaj. - Të punosh për të bërë ushtrime rregullisht është vecanërisht e rëndësishme për diabetikët dhe mund të ndihmoj për te mbajtur një peshë të shëndetshme. Flisni me mjekun tuaj për ushtrimet që do jenë të përshtatshme për ju. - Pagjumësia mund tju bëjë të konsumoni ushqime të gatshme dhe si rezultat mund mund të ketë një impakt negativ në shëndetin tuaj. Siguroheni që të bëni një gjumë të mirë gjatë natës dhe këshillohuni me një specialist nëse këni vështirësi. - Stresi mund të ketë një impakt negativ për diabetin, flisni me mjekun tuaj ose me një specialist tjetër të kujdesit për shëndetin për të përballuar stresin. - Të shkuarit te doktori të paktën një herë vit dhe të paturit një komunikim të rregullt gjatë vitit është e rëndësishme për diabetikët për të parandaluar çdo fillim të papritur të problemeve shëndetësore. - Merrini ilaçet tuaja siç i rekomandon mjeku juaj, edhe gabimet më të vogla me dozat mund të ndikojnë në nivelin e glukozës në gjak dhe të shkaktojnë efekte të tjera anësore. Nëse keni vështirësi me të mbajturit mend, pyesni doktorin tuaj ne lidhje me menaxhimin e mjekimit dhe opsioneve për të kujtuar. - - - Të moshuarit me diabet kanë një risk më të lartë për probleme shëndetësore të lidhura me diabetin. Flisni me doktorin tuaj sesi ndikon mosha në diabet dhe nga çfarë të keni kujdes. - Limitoni sasinë e kripës që përdorni gjatë gatimit të ushqimit dhe atë që i shtoni vaktit pasi ai është gatuar. - - Ndihmës - Përditëso tani - OK, E KUPTOVA - DËRGO PËRSHTYPJET - SHTO LEXIM - Përditëso peshën - Sigurohuni që të përditësoni peshën në mënyrë që Glucosio të ketë informacionet më të sakta. - Përditësoni kërkimin opt-in tuajin - Ju gjithmonë mund të keni mundësi për opt-in ose opt-out nga shpërndarja e kërkimeve për diabetin, por kujtoni që të gjitha të dhënat e shpërdara janë plotësisht anonime. Ne shpërndajm vetëm trendet demografike dhe nivelet e glukozës. - Krijo kategori - Glucosio vjenë me kategori të parazgjedhura për inputet e glukozës por ju mund të krijoni kategori të zakonshme tek parametrat që të përputhen me nevojat tuaja të veçanta. - Kontrolloni këtu shpesh - Ndihmësi nga Glucosio siguron këshilla të rregullta dhe do vazhdojë të përmirësohet, kështu që gjithmonë kontrolloni këtu për veprime të dobishme që mund të kryeni për të përmirësuar eksperiencën tuaj me Glucosio dhe për këshilla të tjera të dobishme. - Dërgo komente - Nëse keni ndonjë problem teknik ose doni të ndani përshtypjen tuaj rreth Glucosio ne ju inkurajojm që ti dërgoni ato në menun e parametrave në mënyrë që të na ndihmoni që ta përmirësojmë Glucosion. - Shto një lexim - Sigurohuni që ti shtoni rregullisht leximet tuaja rreth glukozës në mënyrë që ne të mund t\'ju ndihmojm të gjurmoni nivelet tuaja të glukozës me kalimin e kohës. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Gama e preferuar - Shtrirja e zakonshme - Vlera minimale - Vlera maksimale - Provoje tani - diff --git a/app/src/main/res/android/values-sr-rCS/google-playstore-strings.xml b/app/src/main/res/android/values-sr-rCS/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-sr-rCS/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-sr-rCS/strings.xml b/app/src/main/res/android/values-sr-rCS/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-sr-rCS/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-sr-rCy/google-playstore-strings.xml b/app/src/main/res/android/values-sr-rCy/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-sr-rCy/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-sr-rCy/strings.xml b/app/src/main/res/android/values-sr-rCy/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-sr-rCy/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-sr-rSP/google-playstore-strings.xml b/app/src/main/res/android/values-sr-rSP/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-sr-rSP/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-sr-rSP/strings.xml b/app/src/main/res/android/values-sr-rSP/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-sr-rSP/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-ss-rZA/google-playstore-strings.xml b/app/src/main/res/android/values-ss-rZA/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-ss-rZA/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-ss-rZA/strings.xml b/app/src/main/res/android/values-ss-rZA/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-ss-rZA/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-st-rZA/google-playstore-strings.xml b/app/src/main/res/android/values-st-rZA/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-st-rZA/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-st-rZA/strings.xml b/app/src/main/res/android/values-st-rZA/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-st-rZA/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-su-rID/google-playstore-strings.xml b/app/src/main/res/android/values-su-rID/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-su-rID/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-su-rID/strings.xml b/app/src/main/res/android/values-su-rID/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-su-rID/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-sv-rFI/google-playstore-strings.xml b/app/src/main/res/android/values-sv-rFI/google-playstore-strings.xml deleted file mode 100644 index 94747d0f..00000000 --- a/app/src/main/res/android/values-sv-rFI/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio är en användarcentrerad gratisapp med öppen källkod för personer med diabetes - Genom att använda Glucosio, kan du registrera och spåra blodsockernivåer, anonymt stödja diabetesforskningen genom att bidra med demografiska och anonyma glukostrender och få användbara tips via vår assistent. Glucosio respekterar din integritet och du har alltid kontroll över dina data. - * Användarcentrerad. Glucosio appar byggs med funktioner och en design som matchar användarens behov och vi är ständigt öppna för återkoppling för förbättringar. - * Öppen källkod. Glucosio appar ger dig friheten att använda, kopiera, studera och ändra källkoden för någon av våra appar och även bidra till projektet Glucosio. - * Hantera Data. Med Glucosio kan du spåra och hantera dina diabetesdata från ett intuitivt, modernt gränssnitt byggt med feedback från diabetiker. - * Stödja forskning. Glucosio appar ger användarna möjlighet att välja om de vill dela anonymiserade diabetesuppgifter och demografisk information med forskare. - Vänligen skicka in eventuella buggar, frågor eller önskemål om funktioner på: - https://github.com/glucosio/android - Fler detaljer: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-sv-rFI/strings.xml b/app/src/main/res/android/values-sv-rFI/strings.xml deleted file mode 100644 index 31cd2da7..00000000 --- a/app/src/main/res/android/values-sv-rFI/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Inställningar - Skicka feedback - Översikt - Historik - Tips - Hallå. - Hallå. - Användarvillkor. - Jag har läst och accepterar användarvillkoren - Innehållet på Glucosios hemsida och appar, såsom text, grafik, bilder och annat material (\"innehållet\") är endast i informationssyfte. Innehållet är inte avsett att vara en ersättning för professionell medicinsk rådgivning, diagnos eller behandling. Vi uppmuntrar Glucosio-användare att alltid rådfråga sin läkare eller annan kvalificerad hälsoleverantör med eventuella frågor du har om ett medicinskt tillstånd. Aldrig bortse från professionell medicinsk rådgivning eller försening i söker det på grund av något du läst på Glucosio hemsida eller i våra appar. Glucosio hemsida, blogg, Wiki och andra web browser tillgängligt innehåll (\"webbplatsen\") bör användas endast för det ändamål som beskrivs ovan. \n förlitan på information som tillhandahålls av Glucosio, Glucosio medlemmar, volontärer och andra som förekommer på webbplatsen eller i våra appar är enbart på egen risk. Webbplatsen och innehållet tillhandahålls på grundval av \"som är\". - Vi behöver bara några få enkla saker innan du kan sätta igång. - Land - Ålder - Ange en giltig ålder. - Kön - Man - Kvinna - Annat - Diabetestyp - Typ 1 - Typ 2 - Önskad enhet - Dela anonym data för forskning. - Du kan ändra detta i inställningar senare. - Nästa - Kom igång - Ingen information tillgänglig ännu. \n Lägg till dina första värden här. - Lägg till blodsockernivå - Koncentration - Datum - Tid - Uppmätt - Före frukost - Efter frukost - Innan lunch - Efter lunch - Innan middagen - Efter middagen - Allmänt - Kontrollera igen - Natt - Annat - Avbryt - Lägg till - Ange ett giltigt värde. - Vänligen fyll i alla fält. - Ta bort - Redigera - 1 avläsning borttagen - Ångra - Senaste kontroll: - Trend under senaste månaden: - i intervallet och hälsosam - Månad - Day - Vecka - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - Om - Version - Användarvillkor - Typ - Vikt - Anpassad mätkategori - - Ät mer färska, obearbetade livsmedel för att minska intaget av kolhydrater och socker. - Läs näringsetiketten på förpackningar för mat och drycker för att kontrollera socker och kolhydrater. - När man äter ute, be om fisk eller kött kokt utan extra smör eller olja. - När man äter ute, fråga om de har maträtter med låg natriumhalt. - När man äter ute, ät samma portionsstorlekar som du skulle göra hemma och ta med resterna hem. - När man äter ute be om mat med lågt kaloriinnehåll, såsom salladsdressing, även om det inte finns på menyn. - När man äter ute be om att byta ut mat. I stället för pommes frites, begär en dubbel beställning av en grönsak som sallad, gröna bönor eller broccoli. - När man äter ute, beställ mat som inte är panerad eller stekt. - När man äter ute be om såser, brunsås och salladsdressing \"på sidan.\" - Sockerfritt betyder egentligen inte sockerfritt. Det innebär 0,5 gram (g) av socker per portion, så var noga med att inte frossa i alltför många sockerfria produkter. - På väg mot en hälsosam vikt hjälper det att kontrollera blodsockret. Din läkare, en dietist och en tränare kan komma igång med en plan som fungerar för dig. - Kontrollera din blodnivå och spåra den i en app som Glucosio två gånger om dagen, det kommer att hjälpa dig att bli medveten om resultaten från mat och livsstilsval. - Få A1c blodprover för att ta reda på din genomsnittliga blodsocker under de senaste två till tre månader. Läkaren bör tala om för dig hur ofta detta test kommer att behövas för att utföras. - Spårning hur många kolhydrater du förbrukar kan vara lika viktigt som att kontrollera blodnivåer eftersom kolhydrater påverkar blodsockernivåerna. Tala med din läkare eller dietist om kolhydratintag. - Styra blodtryck, kolesterol och triglyceridnivåer är viktigt eftersom diabetiker är mottagliga för hjärtsjukdom. - Det finns flera dietmetoder du kan vidta för att äta hälsosammare och bidra till att förbättra din diabetesresultat. Rådgör med en dietist om vad som fungerar bäst för dig och din budget. - Att arbeta på att få regelbunden motion är särskilt viktigt för dem med diabetes och kan hjälpa dig att behålla en hälsosam vikt. Tala med din läkare om övningar som kan vara lämpliga för dig. - Att ha sömnbrist kan få dig att äta mer, speciellt saker som skräpmat och som ett resultat kan det negativt påverka din hälsa. Var noga med att få en god natts sömn och konsultera en sömnspecialist om du har problem. - Stress kan ha en negativ inverkan på diabetes, prata med din läkare eller annan sjukvårdspersonal om att hantera stress. - Besök din läkare en gång om året och har regelbunden kommunikation under hela året är viktigt för att diabetiker ska förhindra plötsliga tillhörande hälsoproblem. - Ta din medicin som ordinerats av din läkare även små missar i din medicin kan påverka din blodsockernivå och orsaka andra biverkningar. Om du har svårt att minnas fråga din läkare om hantering av medicin och påminnelsealternativ. - - - Äldre diabetiker kan löpa större risk för hälsofrågor i samband med diabetes. Tala med din läkare om hur din ålder spelar en roll i din diabetes och vad man ska titta efter. - Begränsa mängden salt du använder för att laga mat och att som du lägger till måltider efter den har tillagats. - - Assistent - Uppdatera nu - Ok, fick den - Skicka in feedback - Lägg till värden - Uppdatera din vikt - Se till att uppdatera din vikt så att Glucosio har en mer exakt information. - Uppdatera din forskning om du vill vara med - Du kan alltid vara med eller inte vara med vid delning av diabetesforskningen, men kom ihåg alla uppgifter som delas är helt anonyma. Vi delar bara demografi och glukosnivå trender. - Skapa kategorier - Glucosio levereras med standardkategorier för glukos-indata, men du kan skapa egna kategorier i inställningarna för att matcha dina unika behov. - Kolla här ofta - Glucosio assistent ger regelbundna tips och kommer att fortsätta att förbättras, så kontrolera alltid här för nyttiga åtgärder som du kan vidta för att förbättra din erfarenhet av Glucosio och andra användbara tips. - Skicka in feedback - Om du hittar några tekniska problem eller har synpunkter om Glucosio rekommenderar vi att du skickar in den i inställningsmenyn för att hjälpa oss att förbättra Glucosio. - Lägga till ett värde - Var noga med att regelbundet lägga till dina glukosvärden så att vi kan hjälpa dig att spåra dina glukosnivåer över tiden. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Standardintervall - Anpassat intervall - Minvärde - Maxvärde - Prova det nu - diff --git a/app/src/main/res/android/values-sv-rSE/google-playstore-strings.xml b/app/src/main/res/android/values-sv-rSE/google-playstore-strings.xml deleted file mode 100644 index 94747d0f..00000000 --- a/app/src/main/res/android/values-sv-rSE/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio är en användarcentrerad gratisapp med öppen källkod för personer med diabetes - Genom att använda Glucosio, kan du registrera och spåra blodsockernivåer, anonymt stödja diabetesforskningen genom att bidra med demografiska och anonyma glukostrender och få användbara tips via vår assistent. Glucosio respekterar din integritet och du har alltid kontroll över dina data. - * Användarcentrerad. Glucosio appar byggs med funktioner och en design som matchar användarens behov och vi är ständigt öppna för återkoppling för förbättringar. - * Öppen källkod. Glucosio appar ger dig friheten att använda, kopiera, studera och ändra källkoden för någon av våra appar och även bidra till projektet Glucosio. - * Hantera Data. Med Glucosio kan du spåra och hantera dina diabetesdata från ett intuitivt, modernt gränssnitt byggt med feedback från diabetiker. - * Stödja forskning. Glucosio appar ger användarna möjlighet att välja om de vill dela anonymiserade diabetesuppgifter och demografisk information med forskare. - Vänligen skicka in eventuella buggar, frågor eller önskemål om funktioner på: - https://github.com/glucosio/android - Fler detaljer: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-sv-rSE/strings.xml b/app/src/main/res/android/values-sv-rSE/strings.xml deleted file mode 100644 index 31cd2da7..00000000 --- a/app/src/main/res/android/values-sv-rSE/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Inställningar - Skicka feedback - Översikt - Historik - Tips - Hallå. - Hallå. - Användarvillkor. - Jag har läst och accepterar användarvillkoren - Innehållet på Glucosios hemsida och appar, såsom text, grafik, bilder och annat material (\"innehållet\") är endast i informationssyfte. Innehållet är inte avsett att vara en ersättning för professionell medicinsk rådgivning, diagnos eller behandling. Vi uppmuntrar Glucosio-användare att alltid rådfråga sin läkare eller annan kvalificerad hälsoleverantör med eventuella frågor du har om ett medicinskt tillstånd. Aldrig bortse från professionell medicinsk rådgivning eller försening i söker det på grund av något du läst på Glucosio hemsida eller i våra appar. Glucosio hemsida, blogg, Wiki och andra web browser tillgängligt innehåll (\"webbplatsen\") bör användas endast för det ändamål som beskrivs ovan. \n förlitan på information som tillhandahålls av Glucosio, Glucosio medlemmar, volontärer och andra som förekommer på webbplatsen eller i våra appar är enbart på egen risk. Webbplatsen och innehållet tillhandahålls på grundval av \"som är\". - Vi behöver bara några få enkla saker innan du kan sätta igång. - Land - Ålder - Ange en giltig ålder. - Kön - Man - Kvinna - Annat - Diabetestyp - Typ 1 - Typ 2 - Önskad enhet - Dela anonym data för forskning. - Du kan ändra detta i inställningar senare. - Nästa - Kom igång - Ingen information tillgänglig ännu. \n Lägg till dina första värden här. - Lägg till blodsockernivå - Koncentration - Datum - Tid - Uppmätt - Före frukost - Efter frukost - Innan lunch - Efter lunch - Innan middagen - Efter middagen - Allmänt - Kontrollera igen - Natt - Annat - Avbryt - Lägg till - Ange ett giltigt värde. - Vänligen fyll i alla fält. - Ta bort - Redigera - 1 avläsning borttagen - Ångra - Senaste kontroll: - Trend under senaste månaden: - i intervallet och hälsosam - Månad - Day - Vecka - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - Om - Version - Användarvillkor - Typ - Vikt - Anpassad mätkategori - - Ät mer färska, obearbetade livsmedel för att minska intaget av kolhydrater och socker. - Läs näringsetiketten på förpackningar för mat och drycker för att kontrollera socker och kolhydrater. - När man äter ute, be om fisk eller kött kokt utan extra smör eller olja. - När man äter ute, fråga om de har maträtter med låg natriumhalt. - När man äter ute, ät samma portionsstorlekar som du skulle göra hemma och ta med resterna hem. - När man äter ute be om mat med lågt kaloriinnehåll, såsom salladsdressing, även om det inte finns på menyn. - När man äter ute be om att byta ut mat. I stället för pommes frites, begär en dubbel beställning av en grönsak som sallad, gröna bönor eller broccoli. - När man äter ute, beställ mat som inte är panerad eller stekt. - När man äter ute be om såser, brunsås och salladsdressing \"på sidan.\" - Sockerfritt betyder egentligen inte sockerfritt. Det innebär 0,5 gram (g) av socker per portion, så var noga med att inte frossa i alltför många sockerfria produkter. - På väg mot en hälsosam vikt hjälper det att kontrollera blodsockret. Din läkare, en dietist och en tränare kan komma igång med en plan som fungerar för dig. - Kontrollera din blodnivå och spåra den i en app som Glucosio två gånger om dagen, det kommer att hjälpa dig att bli medveten om resultaten från mat och livsstilsval. - Få A1c blodprover för att ta reda på din genomsnittliga blodsocker under de senaste två till tre månader. Läkaren bör tala om för dig hur ofta detta test kommer att behövas för att utföras. - Spårning hur många kolhydrater du förbrukar kan vara lika viktigt som att kontrollera blodnivåer eftersom kolhydrater påverkar blodsockernivåerna. Tala med din läkare eller dietist om kolhydratintag. - Styra blodtryck, kolesterol och triglyceridnivåer är viktigt eftersom diabetiker är mottagliga för hjärtsjukdom. - Det finns flera dietmetoder du kan vidta för att äta hälsosammare och bidra till att förbättra din diabetesresultat. Rådgör med en dietist om vad som fungerar bäst för dig och din budget. - Att arbeta på att få regelbunden motion är särskilt viktigt för dem med diabetes och kan hjälpa dig att behålla en hälsosam vikt. Tala med din läkare om övningar som kan vara lämpliga för dig. - Att ha sömnbrist kan få dig att äta mer, speciellt saker som skräpmat och som ett resultat kan det negativt påverka din hälsa. Var noga med att få en god natts sömn och konsultera en sömnspecialist om du har problem. - Stress kan ha en negativ inverkan på diabetes, prata med din läkare eller annan sjukvårdspersonal om att hantera stress. - Besök din läkare en gång om året och har regelbunden kommunikation under hela året är viktigt för att diabetiker ska förhindra plötsliga tillhörande hälsoproblem. - Ta din medicin som ordinerats av din läkare även små missar i din medicin kan påverka din blodsockernivå och orsaka andra biverkningar. Om du har svårt att minnas fråga din läkare om hantering av medicin och påminnelsealternativ. - - - Äldre diabetiker kan löpa större risk för hälsofrågor i samband med diabetes. Tala med din läkare om hur din ålder spelar en roll i din diabetes och vad man ska titta efter. - Begränsa mängden salt du använder för att laga mat och att som du lägger till måltider efter den har tillagats. - - Assistent - Uppdatera nu - Ok, fick den - Skicka in feedback - Lägg till värden - Uppdatera din vikt - Se till att uppdatera din vikt så att Glucosio har en mer exakt information. - Uppdatera din forskning om du vill vara med - Du kan alltid vara med eller inte vara med vid delning av diabetesforskningen, men kom ihåg alla uppgifter som delas är helt anonyma. Vi delar bara demografi och glukosnivå trender. - Skapa kategorier - Glucosio levereras med standardkategorier för glukos-indata, men du kan skapa egna kategorier i inställningarna för att matcha dina unika behov. - Kolla här ofta - Glucosio assistent ger regelbundna tips och kommer att fortsätta att förbättras, så kontrolera alltid här för nyttiga åtgärder som du kan vidta för att förbättra din erfarenhet av Glucosio och andra användbara tips. - Skicka in feedback - Om du hittar några tekniska problem eller har synpunkter om Glucosio rekommenderar vi att du skickar in den i inställningsmenyn för att hjälpa oss att förbättra Glucosio. - Lägga till ett värde - Var noga med att regelbundet lägga till dina glukosvärden så att vi kan hjälpa dig att spåra dina glukosnivåer över tiden. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Standardintervall - Anpassat intervall - Minvärde - Maxvärde - Prova det nu - diff --git a/app/src/main/res/android/values-sw-rKE/google-playstore-strings.xml b/app/src/main/res/android/values-sw-rKE/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-sw-rKE/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-sw-rKE/strings.xml b/app/src/main/res/android/values-sw-rKE/strings.xml deleted file mode 100644 index 9cb0941c..00000000 --- a/app/src/main/res/android/values-sw-rKE/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Mazingira - Tuma maoni - Muhtasari - Historia - Vidokezo - Habari. - Habari. - Masharti ya matumizi. - Nimepata kusoma na kukubali masharti ya matumizi - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - Tunahitaji tu mambo machache ya haraka kabla ya wewe kuanza. - Nchi - Umri - Tafadhali andika umri halali. - Jinsia - Mwanamume - Mwanamke - Nyingine - Aina ya ugonjwa wa kisukari - Aina ya kwanza - Aina ya pili - Kitengo unayopendelea - Kushiriki data bila majina kwa ajili ya utafiti. - Unaweza kubadilisha mazingira haya baadaye. - IJAYO - Pata kuanza - Hakuna taarifa zilizopo bado. Ongeza yako kwanza kusoma hapa. - Ongeza kiwango cha Glucose katika damu - Ukolezi - Tarehe - Wakati - Imepimwa - Kabla ya kifungua kinywa - Baada ya kifungua kinywa - Kabla ya chakula cha mchana - Baada ya chakula cha mchana - Kabla ya chakula cha jioni - Baada ya chakula cha jioni - Kijumla - Kagua tena - Usiku - Nyingine - GHAIRI - ONGEZA - Tafadhali ingiza thamani hakika. - Tafadhali jaza maeneo yote. - Futa - Hariri - usomaji 1 imefutwa - Tengua - Kuangalia ya mwisho: - Mwenendo zaidi ya mwezi uliopita: - katika mbalimbali na afya njema - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - Kuhusu - Toleo - Masharti ya matumizi - Aina - Weight - Kategoria ya kipimo maalum - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Msaidizi - Sasisha sasa - SAWA, NIMEIPATA - WASILISHA MAONI - ONGEZA KUSOMA - Sasisha uzito wako - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-sw-rTZ/google-playstore-strings.xml b/app/src/main/res/android/values-sw-rTZ/google-playstore-strings.xml deleted file mode 100644 index f2bd68d5..00000000 --- a/app/src/main/res/android/values-sw-rTZ/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - Maelezo zaidi: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-sw-rTZ/strings.xml b/app/src/main/res/android/values-sw-rTZ/strings.xml deleted file mode 100644 index b10c433e..00000000 --- a/app/src/main/res/android/values-sw-rTZ/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Mpangilio - Tuma mrejesho - Maelezo ya jumla - Historia - Vidokezi - Habari. - Habari. - Maneno yaliyotumika. - Nimesoma na kukubaliana na masharti ya matumizi - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - Tunahitaji mambo machache ya haraka kabla ya wewe kuanza. - Nchi - Umri - Tafadhali andika umri sahihi. - Jinsia - Mwanamume - Mwanamke - Nyingine - Aina ya ugonjwa wa kisukari - Aina ya kwanza - Aina ya pili - Kipimo kilichopendekezwa - Tushirikishe data bila jina kwa ajili ya utafiti. - Unaweza kubadilisha haya kwenye mpangilio hapo baadaye. - IFUATAYO - PATA KUANZA - Hakuna taarifa zinazopatikana kwa sasa.\n Ongeza kipimo chako cha kwanza hapa. - Andika kiwango cha Glukosi kilichopo kwenye damu - Ukolezi - Tarehe - Muda - Ulipima - Kabla ya kifungua kinywa - Baada ya kifungua kinywa - Kabla ya chakula cha mchana - Baada ya chakula cha mchana - Kabla ya chakula cha jioni - Baada ya chakula cha jioni - Kwa ujumla - Thibitisha tena - Usiku - Nyingine - BATILISHA - ONGEZA - Tafadhali ingiza thamani halali. - Tafadhali jaza maeneo yote. - Futa - Hariri - Usomi mmoja umefutwa - TENDUA - Kupima mara ya mwisho: - Mwenendo katika mwezi uliyopita: - ipo kwenye kiwango sahihi na afya njema - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - Kuhusu - Toleo - Masharti ya matumizi - Aina - Uzito - Kundi la kipimo maalum - - Kula vyakula freshi, visivyosindikwa ili kusaidia kupunguza kabohaidreti na uingizaji wa sukari mwilini. - Soma kitambulisho cha lishe kwenye pakiti za vyakula au vinywaji ili kudhibiti sukari na kabohaidreti unayoingiza mwilini. - Unapo kula nje ya nyumbani, agiza samaki au nyama ya kuchamshwa isiyotiwa siagi au mafuta. - Unapo kula nje ya nyumbani, uliza kama wana vyakula vyenye viwango vya chumvi vidogo. - Unapo kula nje ya nyumbani, kula kiasi kile kile ambacho ungekula nyumba na kinachobakia nenda nacho nyumbani. - Unapokula nje ya nyumbani, agiza vyakula vyenye kalori ndogo kama kachumbari, hata kama havipo kwenye menyu. - Unapokula nje ya nyumbani kumbuka kupiga oda ya mbogamboga kama kachumbari, maharage au... mara mbili ya oda ya chipsi. - Unapokula nje na nyumbani, usipige oda ya vyakula vya ngano au vya kukaanga. - Unapo kula nje ya nyumbani, ulizia mchuzi mzito, rojo na kachumbari \"kwa pembeni.\" - Bila sukari haimaanishi kwamba hakina sukari. Ila kinamaanisha gramu 0.5 za sukari kwa kila mlo moja, kwa hivyo kuwa makini usijishughulishe na vyakula vingi visivyo na sukari. - Unapo karibia uzito salama inasaidia sana kuthibiti kiwango cha sukari mwilini. Daktari wako, mwanalishe wako na anayekufundisha mazoezi anaweza kukusaidia kujua mpango ambao utaweza kukusaidia. - Kuangalia na kufuatilia kiwango chako cha damu mara mbili kwa siku kwa kutumia app kama Glucosio kitakusaidia kutambua matokeo kutoka kwenye chakula na uchaguzi wa mwenendo wa maisha. - Pata kipimo cha damu cha A1c kujua wastani wa sukari iliyo mwilini kwa miezi miwili hadi mitatu iliyopita. Daktari wako atakwambia kipimo hiki kitahitajika kuchukuliwa mara ngapi. - Kufuatilia kiwango cha kabohaidreti unachokula ni muhimu kama unavyoangalia kiwango cha sukari kwenye damu kwani kabohaidreti ndiyo inayo athiri kiwango cha sukari kwenye damu. Ongea kuhusu ulaji wa kabohaidreti na daktari wako au mwanalishe wako. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - Kuna njia nyingi za kufanya diet unaweza kula kwa afya zaidi na itakusaidia kuboresha matokeo yako ya ugonjwa huu wa kisukari. Omba ushauri kutoka kwa mwanalishe ya kwamba ni mlo gani utakufaa zaidi na bajeti yako. - Kufanya mazoezi mara nyingi ni muhimu kwa wale wenye ugonjwa wa kisukari na itakusaidia kudumisha uzito sahihi kiafya. Zungumza na daktari wako kuhusu mazoezi gani yatakayokufaa wewe. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Mtembelee daktari wako mara moja kwa mwaka na kuwasiliana naye mara kwa mara katika mwaka mzima ni muhimu kwa watu wenye ungonjwa wa kisukari ili kuzuia dharura za mara kwa mara zinazohusiana na matatizo ya afya. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Weka kikomo kwa kiasi cha chumvi unachotumia ukipika na pia kiasi cha chumvi unachoweka kwenye chakula ambacho kimeshapikwa. - - Msaidizi - HIFADHI SASA - SAWA, NIMEELEWA - WASILISHA MREJESHO - ONGEZA KIPIMO - Hifadhi uzito wapi - Hakikisha unahifadhi uzito wako ili Glucosio iwe na taarifa sahihi zaidi. - Hifadhi utafiti wako -muhimu - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Tengeneza makundi - Glucosio yaja na makundi yaliyoundwa tayari kwa ajili ya kuingiza kiwango cha glukosi ila unaweza pia kutengeneza makundi maalum kwneye mpangilio ili kuendana na upekee wa mahitaji yako. - Angalia hapa mara nyingi - Wasaidizi wa Glucosio hutoa vidokezo vya mara kwa mara ambavyo vitaendelea kuboreshwa, kwa hivyo angalia hapa mara kwa mara ilikuchua nini cha kufanya ili kuboresha uzoefu wako wa Glucosio na kwa kupata vidokezo vingine muhimu. - Wasilisha mrejesho - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Ongeza kipimo - Hakikisha kwamba una ongeza idadi ya kipimo cha glukosi kilichopo mwilini kila wakati ili tukusaidie kufautilia viwango vyako vya glukosi muda kwa muda. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Kiwango kilichopendekezwa - Kiwango maalum - Thamani ya chini - Thamani ya juu - TRY IT NOW - diff --git a/app/src/main/res/android/values-syc-rSY/google-playstore-strings.xml b/app/src/main/res/android/values-syc-rSY/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-syc-rSY/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-syc-rSY/strings.xml b/app/src/main/res/android/values-syc-rSY/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-syc-rSY/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-ta-rIN/google-playstore-strings.xml b/app/src/main/res/android/values-ta-rIN/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-ta-rIN/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-ta-rIN/strings.xml b/app/src/main/res/android/values-ta-rIN/strings.xml deleted file mode 100644 index db5a3961..00000000 --- a/app/src/main/res/android/values-ta-rIN/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - அமைவுகள் - பின்னூட்டங்களை அனுப்பு - Overview - வரலாறு - குறிப்புகள் - வணக்கம். - வணக்கம். - பயன்பாட்டு முறைமை. - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - நாடு - வயது - சரியான வயதை உள்ளிடவும். - பாலினம் - ஆண் - பெண் - மற்ற - Diabetes type - வகை 1 - வகை 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - அடுத்து - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - தேதி - நேரம் - Measured - காலை உணவிற்க்கு முன் - காலை உணவிற்க்கு பின் - மதிய உணவிற்க்கு முன் - மதிய உணவிற்க்கு பின் - Before dinner - After dinner - பொதுவான - Recheck - இரவு - மற்ற - இரத்து செய் - சேர் - Please enter a valid value. - Please fill all the fields. - அழி - தொகு - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-tay-rTW/google-playstore-strings.xml b/app/src/main/res/android/values-tay-rTW/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-tay-rTW/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-tay-rTW/strings.xml b/app/src/main/res/android/values-tay-rTW/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-tay-rTW/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-te-rIN/google-playstore-strings.xml b/app/src/main/res/android/values-te-rIN/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-te-rIN/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-te-rIN/strings.xml b/app/src/main/res/android/values-te-rIN/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-te-rIN/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-tg-rTJ/google-playstore-strings.xml b/app/src/main/res/android/values-tg-rTJ/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-tg-rTJ/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-tg-rTJ/strings.xml b/app/src/main/res/android/values-tg-rTJ/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-tg-rTJ/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-th-rTH/google-playstore-strings.xml b/app/src/main/res/android/values-th-rTH/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-th-rTH/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-th-rTH/strings.xml b/app/src/main/res/android/values-th-rTH/strings.xml deleted file mode 100644 index 67f4e00f..00000000 --- a/app/src/main/res/android/values-th-rTH/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - ตั้งค่า - ส่งคำติชม - ภาพรวม - ประวัติ - เคล็ดลับ - สวัสดี - สวัสดี - เงื่อนไขการใช้ - ฉันได้อ่านและยอมรับเงื่อนไขการใช้งาน - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - ประเทศ - อายุ - กรุณาระบุอายุที่ถูกต้อง - เพศ - ชาย - หญิง - อื่น ๆ - ชนิดของโรคเบาหวาน - ชนิดที่ 1 - ชนิดที่ 2 - หน่วยที่ต้องการ - แบ่งปันข้อมูลนิรนามเพิ่อการวิจัย - คุณสามารถเปลี่ยนการตั้งค่าเหล่านี้ในภายหลัง - ถัดไป - เริ่มต้นใช้งาน - ข้อมูลไม่เพียงพอ \n ป้อนข้อมูลของคุณที่นี่ - เพิ่มค่าระดับน้ำตาลในเลือด - ความเข้มข้น - วันที่ - เวลา - วัดเมื่อ - ก่อนอาหารเช้า - หลังอาหารเช้า - ก่อนอาหารกลางวัน - หลังอาหารกลางวัน - ก่อนอาหารเย็น - หลังอาหารเย็น - ทั่วไป - ตรวจสอบอีกครั้ง - กลางคืน - อื่น ๆ - ยกเลิก - เพิ่ม - กรุณาใส่ค่าถูกต้อง - กรุณากรอกข้อมูลให้ครบทุกรายการ - ลบ - แก้ไข - ลบแล้ว 1 รายการ - เลิกทำ - ตรวจสอบครั้งล่าสุด: - แนวโน้มช่วงเดือนที่ผ่านมา: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - เกี่ยวกับ - เวอร์ชั่น - เงื่อนไขการใช้งาน - ชนิด - น้ำหนัก - Custom measurement category - - กินอาหารสดหรือที่ไม่ผ่านการแปรรูปเพิ่มขึ้น เพื่อช่วยลดคาร์โบไฮเดรตและน้ำตาล - อ่านฉลากโภชนาการบนภาชนะบรรจุอาหารและเครื่องดื่มในการควบคุมการบริโภคน้ำตาลและคาร์โบไฮเดรต - เมื่อรับประทานอาหารนอกบ้าน ขอเป็นเนื้อปลาหรือเนื้อย่างที่ไม่ทาเนยหรือน้ำมัน - เมื่อรับประทานอาหารนอกบ้าน ขอเป็นอาหารโซเดียมต่ำ - เมื่อรับประทานอาหารนอกบ้าน รับประทานในสัดส่วนเดียวกับที่รับประทานที่บ้าน หากเหลือก็นำกลับบ้าน - เมื่อรับประทานอาหารนอกบ้าน เลือกในสิ่งที่ปริมาณแคลอรี่ต่ำ เช่นสลัดผัก แม้ว่าจะไม่อยู่ในเมนู - เมื่อรับประทานอาหารนอกบ้าน ขอเลือกเปลี่ยนเมนู เป็นต้นว่า แทนที่จะเป็นมันฝรั่งทอด ขอเป็นผักสลัด ถั่วลันเตาหรือบรอกโคลี่ - เมื่อรับประทานอาหารนอกบ้าน สั่งอาหารที่ไม่ใช่ขนมปัง หรือของทอด - เมื่อรับประทานอาหารนอกบ้าน ขอแยกซอสราดสลัดต่างหาก - ชูการ์ฟรีไม่ได้หมายความว่าจะปราศจากน้ำตาล หากแต่มีน้ำตาลอยู่ 0.5 กรัม (g) ต่อหนึ่งหน่วยการบริโภค ดังนั้นพึงระวังไม่หลงระเริงไปกับสินค้าชูการ์ฟรี - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - ตรวจเลือดดูระดับ HbA1c เพื่อดูระดับน้ำตาลเฉลี่ยสะสมในเลือดในรอบไตรมาสที่ผ่านมา แพทย์ของคุณควรจะแนะนำว่าจะต้องตรวจดูระดับ HbA1c บ่อยเพียงใด - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - ผู้ช่วย - อัพเดตเดี๋ยวนี้ - ได้ ฉันเข้าใจ - ส่งคำติชม - ADD READING - ปรับปรุงน้ำหนักของคุณ - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - ส่งคำติชม - ในการที่จะช่วยให้เราปรับปรุง Glucosio หากคุณพบปัญหาทางเทคนิคหรือมีข้อเสนอแนะใด ๆ คุณสามารถส่งข้อมูลให้เราได้ในเมนูการตั้งค่า - เพิ่มข้อมูล - ตรวจสอบให้แน่ใจว่าได้บันทึกระดับน้ำตาลกลูโคสเป็นประจำ เพื่อที่เราสามารถช่วยคุณติดตามระดับน้ำตาลกลูโคสตลอดเวลา - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - ช่วงที่ต้องการ - ช่วงที่กำหนดเอง - ค่าต่ำสุด - ค่าสูงสุด - TRY IT NOW - diff --git a/app/src/main/res/android/values-ti-rER/google-playstore-strings.xml b/app/src/main/res/android/values-ti-rER/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-ti-rER/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-ti-rER/strings.xml b/app/src/main/res/android/values-ti-rER/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-ti-rER/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-tk-rTM/google-playstore-strings.xml b/app/src/main/res/android/values-tk-rTM/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-tk-rTM/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-tk-rTM/strings.xml b/app/src/main/res/android/values-tk-rTM/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-tk-rTM/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-tl-rPH/google-playstore-strings.xml b/app/src/main/res/android/values-tl-rPH/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-tl-rPH/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-tl-rPH/strings.xml b/app/src/main/res/android/values-tl-rPH/strings.xml deleted file mode 100644 index 8059dcf6..00000000 --- a/app/src/main/res/android/values-tl-rPH/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Mga Setting - Magpadala ng feedback - Tinging-pangmalawakan - Kasaysayan - Mga tips - Kumusta. - Kumusta. - Patakaran sa Paggamit. - Binasa at sumasang-ayon ako sa Patakaran sa Paggamit - Ang mga nilalaman ng website at apps ng Glucosio, kagaya ng mga teksto, grapiks, larawan, st iba osng materyales (\"Nilalaman\") ay para sa kaalaman lamang. Ang nilalaman ay hindi pakay na panghalili sa propesyonal na payo ng doktor, diagnosis, o panlunas. Hinihikayat namin ang mga taga-gamit ng Glucosio na laginf kumonsulta sa doktor o sa iba pang kwalipikadong health provider sa kahit na anong katanungang tungkol sa inyong kundisyong pangkalusugan. Huwag isa-isang-tabi o ipagpa-bukas ang pagpapakonsulta nang dahil sa kung anong inyong nabasa sa website o sa apps ng Glucosio. Ang website, blog, wiki, at iba psng mga nilalamang nakakalap sa pamamagitan ng web browser (\"Website\") ay dapat lamang gamitin sa mga kadahilanang inilarawan sa itaas. \n Ang pagbabatay sa kahit alinmang impormasyong ibinahagi ng Glucosio, ng mga kasali sa pangkat Glucosio, mga boluntaryo at iba pang nakikita sa aming website o apps ay - Kinakailangan natin ng ilang mga bagay bago tayo magsimula. - Bansa - Edad - Paki lagay ang tamang edad. - Kasarian - Lalaki - Babae - Iba pa - Uri ng Diabetes - Type 1 - Type 2 - Ninanais na unit - Ibahagi ang mga anonymous data para sa pananaliksik. - Maaring palitang ang settings sa paglaon. - SUSUNOD - MAGSIMULA - Wala pang impormasyon. \n Ilagay ang iyong unang reading dito. - Ilagay ang Blood Glucose Level - Konsentrasyon - Petsa - Oras - Sinukat - Bago mag-almusal - Matapos mag-almusal - Bago mananghalian - Matapos mananghalian - Bago mag-hapunan - Matapos maghapunan - Pangkalahatan - Subukin muli - Gabi - Iba pa - Kanselahin - Idagdag - Mangyaring ilagay ang tamang value. - Paki-punan ang lahat ng kahon. - Burahin - Baguhin - 1 reading ang binura - Ibalik - Huling check: - Trend sa nakalipas na buwan: - pasok sa range at may kalusugan - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - Patungkol - Bersyon - Patakaran sa Paggamit - Uri - Weight - Kategorya ng pansariling sukatan - - Kumain ng mas maraming sariwa, hindi prinosesong pagkain upang mabawasan ang pagpasok sa katawan ng carbohydrates at asukal. - Basahin ang nutritional label sa mga nakapaketeng pagkain at inumin upang makontrol ang pagpasok sa katawan ng carbihydrate at asukal. - Kapag kumakain sa labas, piliin ang isda o karneng inihaw nang walang dagdag na butter o mantika. - Kung kakain sa labas, piliin ang mga pagkaing mababa sa sodium. - Kung kakain sa labas, kumain ng kaparehong sukat na kagaya nang kung kumakain sa bahay at iuwi ang mga tirang pagkain. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-tn-rZA/google-playstore-strings.xml b/app/src/main/res/android/values-tn-rZA/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-tn-rZA/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-tn-rZA/strings.xml b/app/src/main/res/android/values-tn-rZA/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-tn-rZA/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-tr-rTR/google-playstore-strings.xml b/app/src/main/res/android/values-tr-rTR/google-playstore-strings.xml deleted file mode 100644 index b82744c0..00000000 --- a/app/src/main/res/android/values-tr-rTR/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio, kullanıcı bazlı, açık kaynak kodlu bir diyabet yardım uygulamasıdır - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Araştırmaları desteklemek. Glucosio apps kullanıcıların anonim diyabet veri ve demografik bilgi araştırmacılar ile paylaşmaya katılımı seçeneği sunar. - Lütfen herhangi bir dosya hatası, yavaşlama, sorun veya istekleriniz için buraya başvurun: - https://github.com/glucosio/android - Daha fazla bilgi: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-tr-rTR/strings.xml b/app/src/main/res/android/values-tr-rTR/strings.xml deleted file mode 100644 index 445976b0..00000000 --- a/app/src/main/res/android/values-tr-rTR/strings.xml +++ /dev/null @@ -1,137 +0,0 @@ - - - - Glucosio - Ayarlar - Geribildirim gönder - Önizleme - Geçmiş - İpuçları - Merhaba. - Merhaba. - Kullanım Şartları. - Kullanım şartlarını okudum ve kabul ediyorum - Glucosio Web sitesi, grafik, resim ve diğer malzemeleri (\"içerik\") gibi şeyler sadece -bilgilendirme amaçlıdır. Doktorunuzun söylediklerinin yanı sıra, size yardımcı olmak için hazırlanan profesyonel bir uygulamadır. Nitelikli sağlık denetimi için her zaman doktorunuza danışın. Uygulama profesyonel bir sağlık uygulamasıdır, fakat asla ve asla doktorunuza görünmeyi ihmal etmeyin ve uygulamanın söylediklerine göre doktorunuza gitmemezlik etmeyin. Glucosio Web sitesi, Blog, Wiki ve diğer erişilebilir içerik (\"Web sitesi\") yalnızca yukarıda açıklanan amaç için kullanılmalıdır. \n güven Glucosio, Glucosio ekip üyeleri, gönüllüler ve diğerleri tarafından sağlanan herhangi bir bilgi Web sitesi veya bizim uygulamamız içerisinde görülen sadece vasıl senin kendi tehlike üzerindedir. Site ve içeriği \"olduğu gibi\" bazında sağlanır. - Başlamadan önce birkaç şey yapmamız gerekiyor. - Ülke - Yaş - Lütfen geçerli bir yaş giriniz. - Cinsiyet - Erkek - Kadın - Diğer - Diyabet türü - Tip 1 - Tip 2 - Tercih edilen birim - Araştırma için kimliksiz bilgi gönder. - Bu ayarları daha sonra değiştirebilirsiniz. - SONRAKİ - BAŞLA - Bilgi henüz yok. \n Buraya ekleyebilirsiniz. - Kan glikoz düzeyini Ekle - Konsantrasyon - Tarih - Zaman - Ölçülen - Kahvaltıdan önce - Kahvaltıdan sonra - Öğle yemeğinden önce - Öğle yemeğinden sonra - Akşam yemeğinden önce - Akşam yemeğinden sonra - Genel - Yeniden denetle - Gece - Diğer - İptal - EKLE - Lütfen geçerli bir değer girin. - Lütfen tüm boşlukları doldurun. - Sil - Düzenle - 1 okuma silindi - GERİ AL - Son kontrol: - Son bir ay içindeki trend: - aralığın içinde bulunan ve aynı zamanda sağlıklı - Ay - Gün - Hafta - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - Hakkında - Sürüm - Kullanım Şartları - Tür - Ağırlık - Özel ölçüm kategorisi - - Karbonhidrat ve şeker alımını en aza indirmek için taze ve işlenmemiş gıdalar tüketin. - Paketlenmiş ürünlerin karbonhidrat ve şeker düzeyini kontrol etmek için etiketlerini okuyun. - Dışarıda yerken, ekstra hiç bir yağ veya tereyağı olmadan balık, et ızgara isteyin. - Dışarıda yerken, düşük sodyumlu yemekleri olup olmadığını sorun. - Dışarıda yerken, evde yediğiniz porsiyon kadar sipariş edin. Geri kalanları ise eve götürmeyi isteyin. - Dışarıda yerken düşük kalorilileri tercih edin, salata sosları gibi, menüde olmasa bile isteyin. - Dışarıda yemek yerken değişim istemekten çekinmeyin. Patates kızartması yerine çift porsiyon sebze isteyin, örneğin salata, yeşil fasulye veya brokoli gibi. - Dışarıda yerken kızartılmış ürünlerden kaçının. - Dışarıda yemek yerken sos istediğinizde salatanın \"kenarına\" koymalarını isteyin - Şekersiz demek, tamamen şeker içermiyor demek değildir. Porsiyon başına 0.5 gram şeker içeriyor demektir. Yani çok fazla \"şekersiz\" ürün tüketmeyin. - Hareket ederek kilo vermek kan şekerinizin kontrolünde size yardımcı olur. Bir doktordan, diyetisyenden veya fitness eğitmeninden çalışmanız için plan yardım alabilirsiniz. - Glucosio gibi uygulamalarla günde iki defa kan düzeyinizi kontrol etmek ve takip etmek sizi istenmeyen sonuçlardan uzak tutacaktır. - Son 2 - 3 aylık ortalama kan şekerinizi öğrenmek için A1c kan testi yapın. Doktorunuz bu testi ne sıklıkla yapmanız gerektiğini size söyleyecektir. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Diyabet hastalığı kalp duyarlı olduğundan tansiyon, kolesterol ve trigliserid düzeylerini kontrol etmek önemlidir. - Sağlıklı beslenme ve diyabet sonuçlar geliştirmek yardım için yapabileceğiniz birçok diyet yaklaşım vardır. Bir diyetisyenden tavsiye almak işinize yarayacaktır. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Yardımcı - Şimdi Güncelleştir - TAMAM, ANLADIM - GERİ BİLDİRİM GÖNDER - OKUMA EKLE - Kilonuzu güncelleştirin - Kilonuzu sık sık güncelleyin böylece Glucosio en en doğru bilgilere sahip olsun. - Araştırmanı güncelle opt-in - Her zaman opt-in yada opt-out diyabet gidişatını paylaşabilirsin, ama unutma paylaşılan tüm verilerin tamamen anonim olduğunu unutmayın. Paylaştığımız sadece demografik ve glikoz seviyesi eğilimleri. - Kategorileri oluştur - Glucosio glikoz girişi için varsayılan kategoriler bulundurmaktadır ancak benzersiz gereksinimlerinize ayarlarında özel kategoriler oluşturabilirsiniz. - Burayı sık sık kontrol et - Glucosio Yardımcısı düzenli ipuçları sağlar ve ilerlemeyi kaydeder, bu yüzden her zaman burayı, Glucosio deneyiminizi geliştirmek için yapabileceğiniz faydalı işlemler ve diğer yararlı ipuçları için kontrol edin. - Geribildirim Gönder - Eğer herhangi bir teknik sorun bulursanız veya Glucosio hakkında geribildiriminiz varsa Glucosio\'yu geliştirmemize yardımcı olmak için Ayarlar menüsünden geribildirim göndermeyi öneririz. - Bir okuma Ekle - Glikoz değerlerinizi düzenli olarak eklediğinizden emin olun böylece glikoz seviyenizi takip edebilelim. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Tercih edilen aralık - Özel Aralık - En küçük değer - Max. değer - ŞİMDİ DENE - diff --git a/app/src/main/res/android/values-ts-rZA/google-playstore-strings.xml b/app/src/main/res/android/values-ts-rZA/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-ts-rZA/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-ts-rZA/strings.xml b/app/src/main/res/android/values-ts-rZA/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-ts-rZA/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-tt-rRU/google-playstore-strings.xml b/app/src/main/res/android/values-tt-rRU/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-tt-rRU/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-tt-rRU/strings.xml b/app/src/main/res/android/values-tt-rRU/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-tt-rRU/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-tw-rTW/google-playstore-strings.xml b/app/src/main/res/android/values-tw-rTW/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-tw-rTW/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-tw-rTW/strings.xml b/app/src/main/res/android/values-tw-rTW/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-tw-rTW/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-ty-rPF/google-playstore-strings.xml b/app/src/main/res/android/values-ty-rPF/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-ty-rPF/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-ty-rPF/strings.xml b/app/src/main/res/android/values-ty-rPF/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-ty-rPF/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-tzl/google-playstore-strings.xml b/app/src/main/res/android/values-tzl/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-tzl/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-tzl/strings.xml b/app/src/main/res/android/values-tzl/strings.xml deleted file mode 100644 index 438a0a13..00000000 --- a/app/src/main/res/android/values-tzl/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Setatxen - Send feedback - Overview - Þistoria - Tüdeis - Azul. - Azul. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Päts - Vellità - Please enter a valid age. - Xhendreu - Male - Female - Other - Sorta del sücritis - Sorta 1 - Sorta 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Cuncentraziun - Däts - Temp - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - Xheneral - Recheck - Nic\'ht - Other - NIÞILIÇARH - AXHUNTARH - Please enter a valid value. - Please fill all the fields. - Zeletarh - Redactarh - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - Över - Verziun - Terms of use - Sorta - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Axhutor - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-ug-rCN/google-playstore-strings.xml b/app/src/main/res/android/values-ug-rCN/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-ug-rCN/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-ug-rCN/strings.xml b/app/src/main/res/android/values-ug-rCN/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-ug-rCN/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-uk-rUA/google-playstore-strings.xml b/app/src/main/res/android/values-uk-rUA/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-uk-rUA/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-uk-rUA/strings.xml b/app/src/main/res/android/values-uk-rUA/strings.xml deleted file mode 100644 index 5389089a..00000000 --- a/app/src/main/res/android/values-uk-rUA/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Параметри - Надіслати відгук - Огляд - Історія - Рекомендації - Привіт. - Привіт. - Умови використання. - Я прочитав та приймаю умови використання - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Країна - Вік - Будь ласка, вкажіть правильний вік. - Стать - Чоловік - Жінка - Інше - Тип діабету - Тип 1 - Тип 2 - Бажані одиниці - Поділитися анонімними даними для подальшого дослідження. - Ви можете змінити ці налаштування пізніше. - НАСТУПНИЙ - РОЗПОЧНЕМО - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Дата - Час - Measured - Перед сніданком - Після сніданку - Перед обідом - Після обіду - Перед вечерею - Після вечері - General - Повторна перевірка - Ніч - Інше - СКАСУВАТИ - ДОДАТИ - Будь ласка, введіть припустиме значення. - Будь ласка, заповніть всі поля. - Вилучити - Редагувати - 1 reading deleted - СКАСУВАТИ - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - Якщо ви знайшли будь-які технічні недоліки або хочете написати відгук про Glucosio то ви можете зробити це в меню \"Параметри\", що допоможе нам покращити Glucosio. - Add a reading - Переконайтеся, що ви регулярно подаєте ваші показники глюкози, щоб ми могли допомогти вам відстежувати ваш рівень глюкози з часом. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-ur-rPK/google-playstore-strings.xml b/app/src/main/res/android/values-ur-rPK/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-ur-rPK/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-ur-rPK/strings.xml b/app/src/main/res/android/values-ur-rPK/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-ur-rPK/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-uz-rUZ/google-playstore-strings.xml b/app/src/main/res/android/values-uz-rUZ/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-uz-rUZ/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-uz-rUZ/strings.xml b/app/src/main/res/android/values-uz-rUZ/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-uz-rUZ/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-val-rES/google-playstore-strings.xml b/app/src/main/res/android/values-val-rES/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-val-rES/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-val-rES/strings.xml b/app/src/main/res/android/values-val-rES/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-val-rES/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-ve-rZA/google-playstore-strings.xml b/app/src/main/res/android/values-ve-rZA/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-ve-rZA/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-ve-rZA/strings.xml b/app/src/main/res/android/values-ve-rZA/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-ve-rZA/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-vec-rIT/google-playstore-strings.xml b/app/src/main/res/android/values-vec-rIT/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-vec-rIT/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-vec-rIT/strings.xml b/app/src/main/res/android/values-vec-rIT/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-vec-rIT/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-vi-rVN/google-playstore-strings.xml b/app/src/main/res/android/values-vi-rVN/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-vi-rVN/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-vi-rVN/strings.xml b/app/src/main/res/android/values-vi-rVN/strings.xml deleted file mode 100644 index 96f33220..00000000 --- a/app/src/main/res/android/values-vi-rVN/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Cài đặt - Gửi phản hồi - Tổng quan - Lịch sử - Mẹo - Xin chào. - Xin chào. - Điều khoản sử dụng. - Tôi đã đọc và chấp nhận các điều khoản sử dụng - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Quốc gia - Tuổi - Vui lòng nhập tuổi hợp lệ. - Giới tính - Nam - Nữ - Khác - Diabetes type - Type 1 - Type 2 - Preferred unit - Chia sẻ dữ liệu ẩn danh cho nghiên cứu. - Bạn có thể thay đổi này trong cài đặt sau đó. - TIẾP THEO - BẮT ĐẦU - No info available yet. \n Add your first reading here. - Thêm mức độ Glucose trong máu - Concentration - Ngày tháng - Thời gian - Đo - Trước khi ăn sáng - Sau khi ăn sáng - Trước khi ăn trưa - Sau khi ăn trưa - Trước khi ăn tối - Sau khi ăn tối - Tổng quát - Kiểm tra lại - Buổi tối - Khác - HỦY BỎ - THÊM - Vui lòng nhập một giá trị hợp lệ. - Xin vui lòng điền vào tất cả các mục. - Xoá - Chỉnh sửa - 1 reading deleted - HOÀN TÁC - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-vls-rBE/google-playstore-strings.xml b/app/src/main/res/android/values-vls-rBE/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-vls-rBE/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-vls-rBE/strings.xml b/app/src/main/res/android/values-vls-rBE/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-vls-rBE/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-wa-rBE/google-playstore-strings.xml b/app/src/main/res/android/values-wa-rBE/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-wa-rBE/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-wa-rBE/strings.xml b/app/src/main/res/android/values-wa-rBE/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-wa-rBE/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-wo-rSN/google-playstore-strings.xml b/app/src/main/res/android/values-wo-rSN/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-wo-rSN/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-wo-rSN/strings.xml b/app/src/main/res/android/values-wo-rSN/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-wo-rSN/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-xh-rZA/google-playstore-strings.xml b/app/src/main/res/android/values-xh-rZA/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-xh-rZA/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-xh-rZA/strings.xml b/app/src/main/res/android/values-xh-rZA/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-xh-rZA/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-yo-rNG/google-playstore-strings.xml b/app/src/main/res/android/values-yo-rNG/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-yo-rNG/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-yo-rNG/strings.xml b/app/src/main/res/android/values-yo-rNG/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-yo-rNG/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-zea/google-playstore-strings.xml b/app/src/main/res/android/values-zea/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-zea/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-zea/strings.xml b/app/src/main/res/android/values-zea/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-zea/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values-zh-rCN/google-playstore-strings.xml b/app/src/main/res/android/values-zh-rCN/google-playstore-strings.xml deleted file mode 100644 index f6f41b98..00000000 --- a/app/src/main/res/android/values-zh-rCN/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio 是一个以用户为中心的针对糖尿病患者的免费、开源应用 - 使用 Glucosio,您可以输入和跟踪血糖水平,匿名支持人口统计学和不记名血糖趋势的糖尿病研究,以及从我们的小助手获得有益的提示。Glucosio 尊重您的隐私权,您始终可以控制自己的数据。 - * 以用户为中心。Glucosio 应用的功能和设计以用户需求为准则,我们持久开放反馈渠道并进行改进。 - * 开源。Glucosio 允许您自由的使用、复制、学习和更改我们应用的源代码,以及为 Glucosio 项目进行贡献。 - * 管理数据。Glucosio 允许您跟踪和管理自己的糖尿病数据,以直观、现代化的界面,基于糖尿病患者的反馈而建立。 - * 支持学术研究。Glucosio 应用给用户可选退出的选项,来分享匿名化的糖尿病数据和人口统计信息供学术研究。 - 请将 Bug、问题或功能请求填报到: - https://github.com/glucosio/android - 更多信息: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-zh-rCN/strings.xml b/app/src/main/res/android/values-zh-rCN/strings.xml deleted file mode 100644 index baaf3ab6..00000000 --- a/app/src/main/res/android/values-zh-rCN/strings.xml +++ /dev/null @@ -1,137 +0,0 @@ - - - - Glucosio - 设置 - 发送反馈 - 概览 - 历史记录 - 小提示 - 你好 - 你好 - 使用条款。 - 我已经阅读并接受使用条款 - Glucosio 网站的内容,包括文字、图形、图像及其他材料(内容)均仅供参考。内容不能取代专业的医疗建议、诊断和治疗。我们鼓励 Glucosio 的用户始终与你的医生或者其他合格的健康提供者提出有关医疗的问题。千万不要因为阅读了我们的 Glucosio 网站或应用而忽视或者耽搁专业的医疗咨询。Glucosio 网站、博客、Wiki 及其他网络浏览器可访问的内容(网站)应仅用于上述目的。\n来自 Glucosio、Glucosio 团队成员、志愿者,以及其他出现在我们网站或应用中的内容均需要您自担风险。网站和内容按“原样”提供。 - 在开始使用前,我们需要少许时间。 - 国家 / 地区 - 年龄 - 请输入一个有效的年龄。 - 性别 - - - 其他 - 糖尿病类型 - 1型糖尿病 - 2型糖尿病 - 首选单位 - 分享匿名数据供研究用途。 - 您可以在以后更改这些设置。 - 下一步 - 开始使用 - 尚无可用信息。\n先在这里阅读一些信息吧。 - 添加血糖水平 - 浓度 - 日期 - 时间 - 测量于 - 早餐前 - 早餐后 - 午餐前 - 午餐后 - 晚餐前 - 晚餐后 - 常规 - 重新检查 - 夜间 - 其他 - 取消 - 添加 - 请输入有效的值。 - 请填写所有字段。 - 删除 - 编辑 - 1 读删除 - 撤销 - 上次检查: - 过去一个月的趋势: - 范围与健康 - - - - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - 关于 - 版本 - 使用条款 - 类型 - 体重 - 自定义测量分类 - - 多吃新鲜的未经加工的食品,帮助减少碳水化合物和糖的摄入量。 - 阅读包装食品和饮料的营养标签,控制糖和碳水化合物的摄入量。 - 外出就餐时,问是否有鱼或者未用油烤制而成的肉。 - 外出就餐时,问他们是否有低钠的食品。 - 外出就餐时,只吃与在家和外带打包相同的份量。 - 外出就餐时,问是否有低卡路里的食物,比如沙拉酱,即使这没写在菜单上。 - 外出就餐时学会替代。不要点炸薯条,应该要绿豆、西兰花、蔬菜沙拉等视频。 - 外出就餐时,订单不裹面包屑或油炸的食品。 - 外出就餐时要求把酱汁、肉汁和沙拉酱放在一边,适量添加。 - 无糖并不是真的无糖。它意味着每100克或毫升有不超过 0.5 克糖。所以不要沉醉于太多的无糖食品。 - 迈向健康的体重有助于控制血糖。你的医生、营养师或健康教练可以带你开始一个适合你的健康计划。 - 检查你的血液水平,并且在像是 Glucosio 之类的应用中跟踪,一天两次。这将有助于你了解选择食物和生活方式的结果。 - 进行糖化血红蛋白测试,找出你过去两三个月中的平均血糖。你的医生应该会告诉你,这样的测试应该每 -多久进行一次。 - 监测你消耗了多少碳水化合物,因为碳水化合物会影响血糖水平。与你的医生谈谈应该摄入多少碳水化合物。 - 控制血压、胆固醇和甘油三酯水平也很重要,因为糖尿病患者易患心脏疾病。 - 几种健康的饮食方法可以让你更健康,改善糖尿病的结果。与你的营养师咨询,找到最适合你的预算和日常的方案。 - 进行日常的锻炼活动,这有助于保持健康的体重,特别是对于糖尿病患者。你的医生会与你谈谈适合你的健身方式。 - 失眠可能使你吃更多,特别是垃圾食品,因此可能对你的健康产生负面影响。一定要有良好的睡眠,如果有睡眠困难情况,与相关专家请教吧。 - 压力可能对糖尿病带来负面影响,与你的医生或者其他医疗专业人士谈谈吧。 - 每年去看一次你的医生,全年定期沟通对糖尿病患者很重要,可防止突发的相关健康问题。 - 按医生处方服药,小小的偏差就可能影响你的血糖水平和引起其他副作用。如果你很难记住,向医生要一份药品管理和记忆的方法。 - - - 老年的糖尿病人遇到与糖尿病相关的健康风险可能性更高。询问你的医生,关于在你的年龄如何监控糖尿病的情况,以及注意事项。 - 限制您添加的食盐量,并且在烹熟加入。 - - 助理 - 立即更新 - 好的,知道了! - 提交反馈 - 添加阅读 - 更新你的体重 - 请确保更新你的体重,以便 Glucosio 有最准确的信息。 - 更新你的研究选项 - 您随时可以选择加入或退出糖尿病研究资源共享,但请了解所有共享的数据都是完全匿名的。我们只分享人口统计和血糖水平趋势。 - 创建分类 - Glucosio 默认带有血糖读数分类,您还可以在设置中创建自定义的分类以满足您的独特需求。 - 经常检查这里 - Glucosio 助理提供定期的提示并将不断改善,因此请经常检查这里的提示,这有助您采取措施来提高使用 Glucosio 的经验和技巧。 - 提交反馈 - 如果您发现了任何技术问题,或有关于 Glucosio 的反馈,我们鼓励您在设置菜单中提交它,以帮助我们改进 Glucosio。 - 添加阅读 - 一定要定期添加您的血糖读数,以便我们帮助您随时间跟踪您的血糖水平。 - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - 首选范围 - 自定义范围 - 最小值 - 最大值 - 现在试试它 - diff --git a/app/src/main/res/android/values-zh-rTW/google-playstore-strings.xml b/app/src/main/res/android/values-zh-rTW/google-playstore-strings.xml deleted file mode 100644 index 310d3b43..00000000 --- a/app/src/main/res/android/values-zh-rTW/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio 是一套針對糖尿病患所設計,以使用者為中心,自由且開放原始碼的應用程式 - 您可以使用 Glucosio 輸入並追蹤您的血糖值、匿名地提供人口統計與血糖趨勢資訊來幫助研究,並透過 Glucosio 小幫手得到一些關於控制血糖的有用秘訣。Glucosio 尊重您的隱私,您可以隨時控制自己的資料。 - * 以使用者為中心。Glucosio 依照使用者的需求來設計功能與應用程式,我們也持續接受意見回饋,以便改善。 - * 開放原始碼。您可以自由地使用、複製、研究、修改 Glucosio 的任何原始碼,要加入幫忙開發也沒問題。 - * 管理資料。Glucosio 讓您可透過由糖尿病患提供意見、直覺、現代化的介面來追蹤管理您的糖尿病相關資料。 - * 支援研究。Glucosio 程式中可讓使用者自由選擇是否將糖尿病與人口統計相關資料匿名地分享給研究者。 - 若遇到任何 bug、問題、想要新功能,請在此回報: - https://github.com/glucosio/android - 更多資訊: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-zh-rTW/strings.xml b/app/src/main/res/android/values-zh-rTW/strings.xml deleted file mode 100644 index 7e280ed2..00000000 --- a/app/src/main/res/android/values-zh-rTW/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - 設定 - 傳送意見回饋 - 概觀 - History - 秘訣 - Hello. - Hello. - Terms of Use - 我已閱讀並接受使用條款。 - Glucosio 網站與應用程式當中的內容,包含文字、圖片、圖形及其他內容(簡稱「內容」)僅作為資訊提供。這些內容並非為了要取代專業醫療建議、診斷或治療。我們建議 Glucosio 使用者若遇到任何醫療相關問題時,諮詢醫生或其他相關專業人士。請務必不要因為在 Glucosio 網站或應用程式當中閱讀的任何資訊而忽略任何資料建議或延誤就醫。Glucosio 網站、部落格、維基與其他網頁瀏覽器可存取的內容(簡稱「網站」)應僅供上述目的使用。\n由 Glucosio、Glucosio 團隊成員、志工或其他人提供於網站或應用程式的可靠度應由使用者自行判斷。網站與內容均僅依照「現況」提供。 - 在開始使用前要先向您詢問幾個小問題。 - 國家 - 年齡 - 請輸入有效年齡。 - 性别 - - - 其他 - 糖尿病類型 - 第一型 - 第二型 - 偏好單位 - 匿名地分享資料提供研究。 - 您以後可以更改這些設定。 - 下一步 - GET STARTED - 還沒有資訊。\n在此新增您的第一筆血糖紀錄。 - 新增血糖值 - 濃度 - 日期 - 時間 - 測量於 - 早餐前 - 早餐後 - 午餐前 - 午餐後 - 晚餐前 - 晚餐後 - 一般 - 重新檢查 - 夜晚 - 其他 - 取消 - 新增 - 請輸入有效的值。 - 請輸入所有欄位。 - 刪除 - 編輯 - 已刪除一筆紀錄 - 還原 - 上次檢查: - 上個月的趨勢: - 控制數值並保持健康 - - - - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - 關於 - 版本 - 使用條款 - 類型 - 體重 - 自訂測量類別 - - 吃更多更新鮮、未經加工處理的食物來幫助降低攝取的碳水化合物與糖份。 - 購買食品與飲料前,閱讀包裝上的營養標籤來控制攝取的糖份與碳水化合物份量。 - 在外用餐時,詢問是否有水煮、未加調味的魚類或肉類。 - 在外用餐時,詢問是否有低鈉餐點。 - 在外用餐時,吃跟在家裡吃的時候一樣的份量,剩下打包帶走。 - 在外用餐時,就算菜單上沒寫,還是詢問沙拉醬等佐料是否有低熱量的選擇。 - 在外用餐時,詢問是否有不同餐點選擇,例如把薯條換成兩份蔬菜沙拉、青豆、花椰菜等。 - 在外用餐時,避免吃裹粉或油炸的食物。 - 在外用餐時,詢問是否可將醬汁、滷汁、沙拉醬等放到一邊或分開上餐。 - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - 控制在健康的體重對於控制血糖有很大的幫助。您的醫師、營養師、健身教練都能夠幫助您開始規劃最適合您的減重方式。 - 每天測量血糖值兩次,並且記錄在 Glucosio 這類應用程式,可幫助您控制飲食與生活習慣。 - 測量 A1c 糖化血色素可找出您過去 2~3 個月的平均血糖值。您的醫生應該會告訴您多久要測量一次。 - 追蹤您攝取多少碳水化合物與檢查血糖值一樣重要,因為碳水化合物會影響血糖值。請向您的醫生或營養師諮詢應該攝取多少碳水化合物。 - 控制血壓、膽固醇與三酸甘油酯的數值也很重要,糖尿病患也容易罹患心臟相關疾病。 - 您可以採取一些不同的飲食控制方式來吃得更健康、並且改善您的糖尿病。請諮詢營養師什麼樣的飲食最適合您。 - 持續進行運動鍛鍊對於糖尿病患者來說相當重要,這可幫助您維持健康的體重。請諮詢醫生您適合進行哪些運動。 - 不好好睡覺會讓您吃下更多垃圾食物,對健康造成影響。請務必睡好,若有困難的話請諮詢睡眠專家。 - 壓力對糖尿病可能也會有負面的影響。請向您的醫師或其他專業醫療人士諮詢如何應對壓力。 - 每年看一次醫生,平時也與醫生保持聯繫相當重要,讓糖尿病患者能夠避免突然遇到相關引發的健康問題。 - 務必依照醫師處方服藥。就算是一小段時間忘記也會影響血糖值,造成其他副作用。若您無法記得服藥,請向醫施詢問用藥管理與自我提醒的方式。 - - - 年紀較大的糖尿病患對於糖尿病相關健康問題會有較大的風險,請向醫師諮詢您的年齡與糖尿病之間的關係,並且應該多注意那些事情。 - 減少料理時使用的鹽分,僅在煮好之後再添加至餐點中。 - - 小幫手 - 立刻更新 - 好,收到! - 送出意見回饋 - 新增測量讀數 - 更新您的體重 - 記得要常在此更新您的體重,這樣 Glucosio 才能有最準確的資訊。 - 參與研究意願 - 您隨時可以選擇參與或退出糖尿病研究的資料分享,所有分享出的資料都是完全匿名的,我們只會分享基本的人口統計資料與血糖值趨勢。 - 建立分類 - Glucosio 有一些血糖值的預設分類,您也還是可以在設定中自訂分類來滿足您的需求。 - 常看看這裡 - Glucosio 血糖小幫手提供控制血糖的小祕訣,並會持續改善。請常回來看看有沒有什麼能改善您的 Glucosio 使用體驗的新鮮事,或是其他有用的小祕訣。 - 送出意見回饋 - 若您發現任何技術問題,或是對 Glucosio 有任何意見想說,我們相當歡迎您在設定選單告訴我們,以幫助我們改善 Glucosio。 - 新增測量值 - 務必定期紀錄血糖測量值,這樣才能幫助您追蹤血糖值。 - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - 建議體重範圍標準 - 自訂範圍 - 最小值 - 最大值 - 立刻試試 - diff --git a/app/src/main/res/android/values-zu-rZA/google-playstore-strings.xml b/app/src/main/res/android/values-zu-rZA/google-playstore-strings.xml deleted file mode 100644 index b0ae4e63..00000000 --- a/app/src/main/res/android/values-zu-rZA/google-playstore-strings.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - More details: - http://www.glucosio.org/ - diff --git a/app/src/main/res/android/values-zu-rZA/strings.xml b/app/src/main/res/android/values-zu-rZA/strings.xml deleted file mode 100644 index df9faee7..00000000 --- a/app/src/main/res/android/values-zu-rZA/strings.xml +++ /dev/null @@ -1,136 +0,0 @@ - - - - Glucosio - Settings - Send feedback - Overview - History - Tips - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - Gender - Male - Female - Other - Diabetes type - Type 1 - Type 2 - Preferred unit - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - 1 reading deleted - UNDO - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - About - Version - Terms of use - Type - Weight - Custom measurement category - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - Preferred range - Custom range - Min value - Max value - TRY IT NOW - diff --git a/app/src/main/res/android/values/attrs.xml b/app/src/main/res/android/values/attrs.xml deleted file mode 100644 index bb11bb71..00000000 --- a/app/src/main/res/android/values/attrs.xml +++ /dev/null @@ -1,5 +0,0 @@ - - - - 1 - \ No newline at end of file diff --git a/app/src/main/res/android/values/colors.xml b/app/src/main/res/android/values/colors.xml deleted file mode 100644 index 01d721ae..00000000 --- a/app/src/main/res/android/values/colors.xml +++ /dev/null @@ -1,19 +0,0 @@ - - - - #FFFFFF - - #E84579 - #C23965 - #F0D04C - #eaeaea - #D1D1D1 - #323232 - #000000 - #686E71 - #46a644 - #e04737 - #F9F9F9 - @color/glucosio_pink - @color/glucosio_pink_dark - \ No newline at end of file diff --git a/app/src/main/res/android/values/dimens.xml b/app/src/main/res/android/values/dimens.xml deleted file mode 100644 index 47c82246..00000000 --- a/app/src/main/res/android/values/dimens.xml +++ /dev/null @@ -1,5 +0,0 @@ - - - 16dp - 16dp - diff --git a/app/src/main/res/android/values/google-playstore-strings.xml b/app/src/main/res/android/values/google-playstore-strings.xml deleted file mode 100644 index 41053791..00000000 --- a/app/src/main/res/android/values/google-playstore-strings.xml +++ /dev/null @@ -1,29 +0,0 @@ - - - - - - - - Glucosio - Glucosio is a user centered free and open source app for people with diabetes - - Using Glucosio, you can enter and track blood glucose levels, anonymously support diabetes research by contributing demographic and anonymized glucose trends, and get helpful tips through our assistant. Glucosio respects your privacy and you are always in control of your data. - - * User Centered. Glucosio apps are built with features and a design that matches the user\'s needs and we are constantly open to feedback for improvement. - * Open Source. Glucosio apps give you the freedom to use, copy, study, and change the source code of any of our apps and even contribute to the Glucosio project. - * Manage Data. Glucosio allows you to track and manage your diabetes data from an intuitive, modern interface built with feedback from diabetics. - * Support Research. Glucosio apps give users the option to opt-in to sharing anonymized diabetes data and demographic info with researchers. - - Please file any bugs, issues, or feature requests at: - https://github.com/glucosio/android - - More details: - http://www.glucosio.org/ - - - - - diff --git a/app/src/main/res/android/values/strings.xml b/app/src/main/res/android/values/strings.xml deleted file mode 100644 index 2e13f4fc..00000000 --- a/app/src/main/res/android/values/strings.xml +++ /dev/null @@ -1,191 +0,0 @@ - - Glucosio - Settings - Send feedback - Overview - History - Tips - - Hello. - Hello. - Terms of Use - I\'ve read and accept the Terms of Use - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. - Country - Age - Please enter a valid age. - - Gender - Male - Female - Other - - - @string/helloactivity_gender_list_1 - @string/helloactivity_gender_list_2 - @string/helloactivity_gender_list_3 - - - Diabetes type - Type 1 - Type 2 - - - @string/helloactivity_spinner_diabetes_type_1 - @string/helloactivity_spinner_diabetes_type_2 - - - Preferred unit - mg/dL - mmol/L - - - @string/helloactivity_spinner_preferred_unit_1 - @string/helloactivity_spinner_preferred_unit_2 - - - Share anonymous data for research. - You can change these in settings later. - NEXT - GET STARTED - - No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration - mg/dL - Date - Time - Measured - Before breakfast - After breakfast - Before lunch - After lunch - Before dinner - After dinner - General - Recheck - Night - Other - - @string/dialog_add_type_1 - @string/dialog_add_type_2 - @string/dialog_add_type_3 - @string/dialog_add_type_4 - @string/dialog_add_type_5 - @string/dialog_add_type_6 - @string/dialog_add_type_7 - @string/dialog_add_type_8 - @string/dialog_add_type_9 - @string/dialog_add_type_10 - - CANCEL - ADD - Please enter a valid value. - Please fill all the fields. - Delete - Edit - - 1 reading deleted - UNDO - - Last check: - Trend over past month: - in range and healthy - Month - Day - Week - - - @string/fragment_overview_selector_day - @string/fragment_overview_selector_week - @string/fragment_overview_selector_month - - Use less cheese in your recipes and meals. Fresh mozzarella packed in water and Swiss cheese are usually lower in sodium. - About - 0.8.0 (Noce) - Version - Terms of use - Type - Weight - Custom measurement category - - - - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings "on the side." - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. - - - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - - Assistant. - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. - - - @string/assistant_feedback_title - @string/assistant_reading_title - @string/assistant_categories_title - - - @string/assistant_feedback_desc - @string/assistant_reading_desc - @string/assistant_categories_desc - - - - @string/assistant_action_feedback - @string/assistant_action_reading - @string/assistant_action_try - - - Preferred range - ADA - AACE - UK NICE - Custom range - Min value - Max value - TRY IT NOW - - - @string/helloactivity_spinner_preferred_range_1 - @string/helloactivity_spinner_preferred_range_2 - @string/helloactivity_spinner_preferred_range_3 - @string/helloactivity_spinner_preferred_range_4 - - diff --git a/app/src/main/res/android/values/styles.xml b/app/src/main/res/android/values/styles.xml deleted file mode 100644 index dc6c22d2..00000000 --- a/app/src/main/res/android/values/styles.xml +++ /dev/null @@ -1,40 +0,0 @@ - - - - - - - - - - - - diff --git a/app/src/main/res/android/values/values_labelled_spinner.xml b/app/src/main/res/android/values/values_labelled_spinner.xml deleted file mode 100644 index 01626caf..00000000 --- a/app/src/main/res/android/values/values_labelled_spinner.xml +++ /dev/null @@ -1,10 +0,0 @@ - - - - - - - - #6D6D6D - - \ No newline at end of file diff --git a/app/src/main/res/android/xml/preferences.xml b/app/src/main/res/android/xml/preferences.xml deleted file mode 100644 index 05fec78b..00000000 --- a/app/src/main/res/android/xml/preferences.xml +++ /dev/null @@ -1,51 +0,0 @@ - - - - - - - - - - - - - - - - \ No newline at end of file From e72552c7eb628b5da3deda6be8f6e7fbb0068063 Mon Sep 17 00:00:00 2001 From: Paolo Rotolo Date: Wed, 7 Oct 2015 20:37:13 +0200 Subject: [PATCH 108/126] Add script in travis. --- .travis.yml | 1 + 1 file changed, 1 insertion(+) diff --git a/.travis.yml b/.travis.yml index d3b8aa67..44f4c9ab 100644 --- a/.travis.yml +++ b/.travis.yml @@ -17,6 +17,7 @@ before_install: after_success: - chmod +x ./upload-gh-pages.sh - chmod +x ./import-translations-github.sh + - ./import-translations-github.sh - ./upload-gh-pages.sh script: From 159029e9f3b2d99ccbdcd8c5f1198e62228c5bb5 Mon Sep 17 00:00:00 2001 From: Glucat Date: Wed, 7 Oct 2015 18:41:00 +0000 Subject: [PATCH 109/126] Automatic translation import (build 202). --- app/src/main/res/values-it-rIT/strings.xml | 2 +- app/src/main/res/values-zh-rTW/strings.xml | 2 +- 2 files changed, 2 insertions(+), 2 deletions(-) diff --git a/app/src/main/res/values-it-rIT/strings.xml b/app/src/main/res/values-it-rIT/strings.xml index 8489cb42..691f75e4 100644 --- a/app/src/main/res/values-it-rIT/strings.xml +++ b/app/src/main/res/values-it-rIT/strings.xml @@ -11,7 +11,7 @@ Ciao. Condizioni d\'uso. Ho letto e accetto le condizioni d\'uso - I contenuti del sito web e dell\'applicazione Glucosio, come testo, grafici, immagini e altro materiale (\"Contenuti\") sono a scopo puramente informativo. Le informazioni non sono da considerarsi come sostitutive di consigli medici professionali, diagnosi o trattamenti terapeutici. Noi incoraggiamo gli utenti di Glucosio a chiedere sempre il parere del proprio medico curante o di personale qualificato su qualsiasi domanda tu abbia inerente una condizione medica. Mai ignorare i consigli di una consulenza medica professionale o ritardarne la ricerca a causa di qualcosa letta nel sito web di Glucosio o nella nostra applicazione. Il sito web di Glucosio, Blog, Wiki e altri contenuti accessibili dovrebbero essere usati solo per gli scopi sopra descritti. \n In affidamento su qualsiasi informazione fornita da Glucosio, dai membri del team di Glucosio, volontari o altri che appaiono nel sito web o applicazione, usale a tuo rischio e pericolo. Il Sito Web e i contenuti sono forniti su base \"così com\'è\". + I contenuti del sito web e dell\'applicazione Glucosio, come testo, grafici, immagini e altro materiale (\"Contenuti\") sono a scopo puramente informativo. Le informazioni non sono da considerarsi come sostitutive di consigli medici professionali, diagnosi o trattamenti terapeutici. Noi incoraggiamo gli utenti di Glucosio a chiedere sempre il parere del proprio medico curante o di personale qualificato su qualsiasi domanda tu abbia inerente una condizione medica. Mai ignorare i consigli di una consulenza medica professionale o ritardarne la ricerca a causa di qualcosa letta nel sito web di Glucosio o nella nostra applicazione. Il sito web di Glucosio, Blog, Wiki e altri contenuti accessibili dovrebbero essere usati solo per gli scopi sopra descritti. \n In affidamento su qualsiasi informazione fornita da Glucosio, dai membri del team di Glucosio, volontari o altri che appaiono nel sito web o applicazione, usale a tuo rischio e pericolo. Il Sito Web e i contenuti vengono forniti \"così come sono\". Abbiamo solo bisogno di un paio di cose veloci prima di iniziare. Nazione Età diff --git a/app/src/main/res/values-zh-rTW/strings.xml b/app/src/main/res/values-zh-rTW/strings.xml index e21344e8..7e280ed2 100644 --- a/app/src/main/res/values-zh-rTW/strings.xml +++ b/app/src/main/res/values-zh-rTW/strings.xml @@ -5,7 +5,7 @@ 設定 傳送意見回饋 概觀 - 記錄 + History 秘訣 Hello. Hello. From ae72f2dc80538a736b8f70b9a6d69510b0c4e155 Mon Sep 17 00:00:00 2001 From: Paolo Rotolo Date: Wed, 7 Oct 2015 21:01:44 +0200 Subject: [PATCH 110/126] Use Travis global variable to clone repo. --- import-translations-github.sh | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/import-translations-github.sh b/import-translations-github.sh index 1d6cb88e..8a9c22d0 100644 --- a/import-translations-github.sh +++ b/import-translations-github.sh @@ -8,7 +8,7 @@ if [ "$TRAVIS_PULL_REQUEST" == "false" ]; then git config --global user.name "Glucat" #clone gh-pages branch - git clone --quiet --branch=develop https://8ded5df0cdf373ca7b7662f00ef159f722601d54@github.com/Glucosio/android.git develop > /dev/null + git clone --quiet --branch=develop https://$GITHUB_API_KEY@github.com/Glucosio/android.git develop > /dev/null #go into directory and copy data we're interested in to that directory cd develop/app/src/main/res/ From 907d638735444f3454229be26dc0a6862040e00a Mon Sep 17 00:00:00 2001 From: Paolo Rotolo Date: Wed, 7 Oct 2015 21:02:24 +0200 Subject: [PATCH 111/126] Use Travis global variable to clone repo. --- import-translations-github.sh | 1 - 1 file changed, 1 deletion(-) diff --git a/import-translations-github.sh b/import-translations-github.sh index 8a9c22d0..7ed73e26 100644 --- a/import-translations-github.sh +++ b/import-translations-github.sh @@ -10,7 +10,6 @@ if [ "$TRAVIS_PULL_REQUEST" == "false" ]; then #clone gh-pages branch git clone --quiet --branch=develop https://$GITHUB_API_KEY@github.com/Glucosio/android.git develop > /dev/null - #go into directory and copy data we're interested in to that directory cd develop/app/src/main/res/ wget https://crowdin.com/downloads/crowdin-cli.jar java -jar crowdin-cli.jar download From d9a6ae0c4cae7f10327243575fdb263ae192b7f4 Mon Sep 17 00:00:00 2001 From: Paolo Rotolo Date: Thu, 8 Oct 2015 17:09:16 +0200 Subject: [PATCH 112/126] Added easter egg. --- .../android/activity/PreferencesActivity.java | 23 ++++++++++++++++++- app/src/main/res/xml/preferences.xml | 3 ++- 2 files changed, 24 insertions(+), 2 deletions(-) diff --git a/app/src/main/java/org/glucosio/android/activity/PreferencesActivity.java b/app/src/main/java/org/glucosio/android/activity/PreferencesActivity.java index a50291cb..334a4517 100644 --- a/app/src/main/java/org/glucosio/android/activity/PreferencesActivity.java +++ b/app/src/main/java/org/glucosio/android/activity/PreferencesActivity.java @@ -1,6 +1,7 @@ package org.glucosio.android.activity; import android.content.Intent; +import android.net.Uri; import android.os.Bundle; import android.preference.EditTextPreference; import android.preference.ListPreference; @@ -85,7 +86,8 @@ public void onCreate(final Bundle savedInstanceState) { maxRangePref.setEnabled(true); } - final Preference termsPref = (Preference) findPreference("preferences_terms"); + final Preference termsPref = (Preference) findPreference("preference_terms"); + final Preference versionPref = (Preference) findPreference("preference_version"); countryPref.setOnPreferenceChangeListener(new Preference.OnPreferenceChangeListener() { @Override @@ -202,6 +204,25 @@ public boolean onPreferenceClick(Preference preference) { return false; } }); + + int easterEggCount = 0; + + versionPref.setOnPreferenceClickListener(new Preference.OnPreferenceClickListener() { + + public int easterEggCount; + @Override + public boolean onPreferenceClick(Preference preference) { + if (easterEggCount == 6) { + String uri = String.format(Locale.ENGLISH, "geo:%f,%f", 40.794010, 17.124583); + Intent intent = new Intent(Intent.ACTION_VIEW, Uri.parse(uri)); + getActivity().startActivity(intent); + easterEggCount = 0; + } else { + this.easterEggCount = easterEggCount+1; + } + return false; + } + }); } private void updateDB() { diff --git a/app/src/main/res/xml/preferences.xml b/app/src/main/res/xml/preferences.xml index 05fec78b..3e1ec639 100644 --- a/app/src/main/res/xml/preferences.xml +++ b/app/src/main/res/xml/preferences.xml @@ -42,10 +42,11 @@ \ No newline at end of file From 99879dc9a45588b757a2f5f0abd97d2f0796307d Mon Sep 17 00:00:00 2001 From: Paolo Rotolo Date: Thu, 8 Oct 2015 17:09:32 +0200 Subject: [PATCH 113/126] Added easter egg. --- .../java/org/glucosio/android/activity/PreferencesActivity.java | 2 -- 1 file changed, 2 deletions(-) diff --git a/app/src/main/java/org/glucosio/android/activity/PreferencesActivity.java b/app/src/main/java/org/glucosio/android/activity/PreferencesActivity.java index 334a4517..7dd5d0bc 100644 --- a/app/src/main/java/org/glucosio/android/activity/PreferencesActivity.java +++ b/app/src/main/java/org/glucosio/android/activity/PreferencesActivity.java @@ -205,8 +205,6 @@ public boolean onPreferenceClick(Preference preference) { } }); - int easterEggCount = 0; - versionPref.setOnPreferenceClickListener(new Preference.OnPreferenceClickListener() { public int easterEggCount; From 8464e8cf5bf4ec75bb27335f4b5b6aa4b83e8a61 Mon Sep 17 00:00:00 2001 From: Paolo Rotolo Date: Thu, 8 Oct 2015 17:11:19 +0200 Subject: [PATCH 114/126] Fix assistant item layout. --- .../java/org/glucosio/android/activity/PreferencesActivity.java | 2 +- app/src/main/res/layout/fragment_assistant_item.xml | 1 + 2 files changed, 2 insertions(+), 1 deletion(-) diff --git a/app/src/main/java/org/glucosio/android/activity/PreferencesActivity.java b/app/src/main/java/org/glucosio/android/activity/PreferencesActivity.java index 7dd5d0bc..5f995bb1 100644 --- a/app/src/main/java/org/glucosio/android/activity/PreferencesActivity.java +++ b/app/src/main/java/org/glucosio/android/activity/PreferencesActivity.java @@ -207,7 +207,7 @@ public boolean onPreferenceClick(Preference preference) { versionPref.setOnPreferenceClickListener(new Preference.OnPreferenceClickListener() { - public int easterEggCount; + int easterEggCount; @Override public boolean onPreferenceClick(Preference preference) { if (easterEggCount == 6) { diff --git a/app/src/main/res/layout/fragment_assistant_item.xml b/app/src/main/res/layout/fragment_assistant_item.xml index 17d69c5e..a81c3456 100644 --- a/app/src/main/res/layout/fragment_assistant_item.xml +++ b/app/src/main/res/layout/fragment_assistant_item.xml @@ -29,6 +29,7 @@ android:id="@+id/fragment_assistant_item_action" android:layout_width="wrap_content" android:layout_height="wrap_content" + android:gravity="center_vertical|start" android:background="?android:attr/selectableItemBackground" android:textColor="@color/glucosio_pink" android:text="ACTION" From 0f420c124f7c019a2f174c236cbffd651d3f967c Mon Sep 17 00:00:00 2001 From: ahmar siddiqui Date: Fri, 9 Oct 2015 18:09:51 +0530 Subject: [PATCH 115/126] added realm --- app/build.gradle | 1 + 1 file changed, 1 insertion(+) diff --git a/app/build.gradle b/app/build.gradle index c2c6e7d0..7b3d37bc 100644 --- a/app/build.gradle +++ b/app/build.gradle @@ -45,4 +45,5 @@ dependencies { compile 'com.github.paolorotolo:gitty_reporter:1.1.1' compile 'com.michaelpardo:activeandroid:3.1.0-SNAPSHOT' compile 'com.wnafee:vector-compat:1.0.5' + compile 'io.realm:realm-android:0.83.0' } From 65bc7dd3f27b85e659d0fbcb90093c72b1638426 Mon Sep 17 00:00:00 2001 From: ahmar siddiqui Date: Sat, 10 Oct 2015 03:02:03 +0530 Subject: [PATCH 116/126] amidst realm object resolution issue --- .../glucosio/android/db/DatabaseHandler.java | 4 + .../glucosio/android/db/GlucoseReading.java | 121 +++++++------- .../java/org/glucosio/android/db/User.java | 156 ++++++++---------- .../android/presenter/MainPresenter.java | 9 +- 4 files changed, 137 insertions(+), 153 deletions(-) diff --git a/app/src/main/java/org/glucosio/android/db/DatabaseHandler.java b/app/src/main/java/org/glucosio/android/db/DatabaseHandler.java index 038ca372..edc08101 100644 --- a/app/src/main/java/org/glucosio/android/db/DatabaseHandler.java +++ b/app/src/main/java/org/glucosio/android/db/DatabaseHandler.java @@ -6,9 +6,13 @@ import java.util.List; import java.util.Calendar; +import io.realm.Realm; + public class DatabaseHandler { + Realm realm; public DatabaseHandler() { + this.realm=Realm.getInstance(this); } public void addUser(User user) { diff --git a/app/src/main/java/org/glucosio/android/db/GlucoseReading.java b/app/src/main/java/org/glucosio/android/db/GlucoseReading.java index b48fa40e..d9e8497e 100644 --- a/app/src/main/java/org/glucosio/android/db/GlucoseReading.java +++ b/app/src/main/java/org/glucosio/android/db/GlucoseReading.java @@ -5,59 +5,53 @@ import com.activeandroid.annotation.Table; import com.activeandroid.query.Select; +import java.util.Date; import java.util.List; +import java.util.UUID; -@Table(name = "GlucoseReadings") -public class GlucoseReading extends Model { +import io.realm.Realm; +import io.realm.RealmObject; +import io.realm.RealmResults; +import io.realm.annotations.PrimaryKey; - @Column(name = "reading") - int _reading; +public class GlucoseReading extends RealmObject { - @Column(name = "reading_type") - String _reading_type; - - @Column(name = "notes") - String _notes; - - @Column(name = "user_id") - int _user_id; - - @Column(name = "created", index = true) - String _created; + @PrimaryKey + private long id; + private int reading; + private String reading_type; + private String notes; + private int user_id; + private Date created; + Realm realm; public GlucoseReading() { - super(); + //it should be the context || How can we achieve it u can refer + this.realm=Realm.getInstance(this); } - public GlucoseReading(int reading,String reading_type,String created,String notes) + public GlucoseReading(int reading,String reading_type,Date created,String notes) { - this._reading=reading; - this._reading_type=reading_type; - this._created=created; - this._notes=notes; + this.reading=reading; + this.reading_type=reading_type; + this.created=created; + this.notes=notes; } - public static GlucoseReading getGlucoseReading(int id) { - return new Select() - .from(User.class) - .where("id = " + id) - .orderBy("RANDOM()") - .executeSingle(); + public static RealmResults getGlucoseReading(int id) { + return realm.where(GlucoseReading.class) + .equalTo("id",Integer.toString(id)) + .findFirst(); } - public static List getAllGlucoseReading() { - return new Select() - .from(GlucoseReading.class) - .orderBy("created DESC") - .execute(); + public static RealmResults getAllGlucoseReading() { + return realm.where(GlucoseReading.class) + .findAll(); } - public static List getGlucoseReadings(String where) { - return new Select() - .from(GlucoseReading.class) - .orderBy("created DESC") - .where(where) - .execute(); + public static RealmResults getGlucoseReadings(String where) { + return realm.where(GlucoseReading.class) + . } public static List getGlucoseReadings(String where, Object args) { @@ -84,52 +78,57 @@ public static List getGlucoseReadingsByGroup(String[] columns, S .execute(); } - public String get_notes(){ - return this._notes; + public String getNotes(){ + return this.notes; } - public void set_notes(String notes){ - this._notes=notes; + public void setNotes(String notes){ + this.notes=notes; } - public int get_user_id() + public int getUser_id() { - return this._user_id; + return this.user_id; } - public void set_user_id(int user_id) + public void setUser_id(int user_id) { - this._user_id=user_id; + this.user_id=user_id; } - public long get_id() + public long getId() { return this.getId(); } + public void setId() + { + String uniqueID= UUID.randomUUID().toString(); + this.id=Long.parseLong(uniqueID); + } - public void set_reading(int reading) + public void setReading(int reading) { - this._reading=reading; + this.reading=reading; } - public void set_reading_type(String reading_type) + public void setReading_type(String reading_type) { - this._reading_type=reading_type; + this.reading_type=reading_type; } - public int get_reading() + public int getReading() { - return this._reading; + return this.reading; } - public String get_reading_type() + public String getReading_type() { - return this._reading_type; + return this.reading_type; } - public String get_created() + public Date getCreated() { - return this._created; + return this.created; } - public void set_created(String created) + public void setCreated(Date created) { - this._created=created; + this.created=created; } - public String get_type() + public String getType() { - return this._reading_type; + return this.reading_type; } } diff --git a/app/src/main/java/org/glucosio/android/db/User.java b/app/src/main/java/org/glucosio/android/db/User.java index 67f64ecf..a600fe4d 100644 --- a/app/src/main/java/org/glucosio/android/db/User.java +++ b/app/src/main/java/org/glucosio/android/db/User.java @@ -5,133 +5,109 @@ import com.activeandroid.annotation.Table; import com.activeandroid.query.Select; -@Table(name = "Users") -public class User extends Model { - - @Column(name = "name") - String _name; - - @Column(name = "preferred_language") - String _preferred_language; - - @Column(name = "country") - String _country; - - @Column(name = "age") - int _age; - - @Column(name = "gender") - String _gender; - - @Column(name = "d_type") - int _d_type; - - @Column(name = "preferred_unit") - String _preferred_unit; - - @Column(name = "preferred_range") - String _preferred_range; - - @Column(name = "custom_range_min") - int _custom_range_min; - - @Column(name = "custom_range_max") - int _custom_range_max; - +import io.realm.RealmObject; + +public class User extends RealmObject { + + private String name; + private String preferred_language; + private String country; + private int age; + private String gender; + private int d_type; + private String preferred_unit; + private String preferred_range; + private int custom_range_min; + private int custom_range_max; public User() { - super(); - } + } public User(int id, String name,String preferred_language, String country, int age, String gender,int dType, String pUnit, String pRange, int minRange, int maxRange) { - this._name=name; - this._preferred_language=preferred_language; - this._country=country; - this._age=age; - this._gender=gender; - this._d_type=dType; - this._preferred_unit=pUnit; - this._preferred_range = pRange; - this._custom_range_max = maxRange; - this._custom_range_min = minRange; + this.name=name; + this.preferred_language=preferred_language; + this.country=country; + this.age=age; + this.gender=gender; + this.d_type=dType; + this.preferred_unit=pUnit; + this.preferred_range = pRange; + this.custom_range_max = maxRange; + this.custom_range_min = minRange; } public static User getUser(int id) { - return new Select() - .from(User.class) - .where("id = ?", id) - .orderBy("RANDOM()") - .executeSingle(); + return new User(); } - public int get_d_type(){ - return this._d_type; + public int getD_type(){ + return this.d_type; } - public void set_d_type(int dType){ - this._d_type=dType; + public void setD_type(int dType){ + this.d_type=dType; } - public String get_preferred_unit(){ - return this._preferred_unit; + public String getPreferred_unit(){ + return this.preferred_unit; } - public void set_preferred_unit(String pUnit){ - this._preferred_unit=pUnit; + public void setPreferred_unit(String pUnit){ + this.preferred_unit=pUnit; } - public String get_name() { - return this._name; + public String getName() { + return this.name; } - public void set_name(String name) { - this._name=name; + public void setName(String name) { + this.name=name; } - public String get_country() + public String getCountry() { - return this._country; + return this.country; } - public void set_country(String country) + public void setCountry(String country) { - this._country=country; + this.country=country; } - public String get_preferredLanguage() { - return this._preferred_language; + public String getPreferred_language() { + return this.preferred_language; } - public void set_preferredLanguage(String preferred_language) { - this._preferred_language=preferred_language; + public void setPreferred_language(String preferred_language) { + this.preferred_language=preferred_language; } - public int get_age() { - return this._age; + public int getAge() { + return this.age; } - public void set_age(int age) { - this._age=age; + public void setAge(int age) { + this.age=age; } - public String get_gender() { - return this._gender; + public String getGender() { + return this.gender; } - public void set_gender(String gender) { - this._gender=gender; + public void setGender(String gender) { + this.gender=gender; } - public String get_preferred_range() { - return _preferred_range; + public String getPreferred_range() { + return preferred_range; } - public void set_preferred_range(String _preferred_range) { - this._preferred_range = _preferred_range; + public void setPreferred_range(String preferred_range) { + this.preferred_range = preferred_range; } - public int get_custom_range_min() { - return _custom_range_min; + public int getCustom_range_min() { + return custom_range_min; } - public void set_custom_range_min(int _custom_range_min) { - this._custom_range_min = _custom_range_min; + public void setCustom_range_min(int custom_range_min) { + this.custom_range_min = custom_range_min; } - public int get_custom_range_max() { - return _custom_range_max; + public int getCustom_range_max() { + return custom_range_max; } - public void set_custom_range_max(int _custom_range_max) { - this._custom_range_max = _custom_range_max; + public void setCustom_range_max(int custom_range_max) { + this.custom_range_max = custom_range_max; } } diff --git a/app/src/main/java/org/glucosio/android/presenter/MainPresenter.java b/app/src/main/java/org/glucosio/android/presenter/MainPresenter.java index d5b86b42..14efca75 100644 --- a/app/src/main/java/org/glucosio/android/presenter/MainPresenter.java +++ b/app/src/main/java/org/glucosio/android/presenter/MainPresenter.java @@ -1,5 +1,7 @@ package org.glucosio.android.presenter; +import android.util.Log; + import org.glucosio.android.activity.MainActivity; import org.glucosio.android.db.DatabaseHandler; import org.glucosio.android.db.GlucoseReading; @@ -31,14 +33,17 @@ public class MainPresenter { public MainPresenter(MainActivity mainActivity) { this.mainActivity = mainActivity; dB = new DatabaseHandler(); - if (dB.getUser(1) == null){ + Log.i("msg::","initiated db object"); + /*if (dB.getUser(1) == null){ + // if user exists start hello activity mainActivity.startHelloActivity(); } else { + //creating a nrw user user = dB.getUser(1); age = user.get_age(); rTools = new ReadingTools(); converter = new GlucoseConverter(); - } + }*/ } public boolean isdbEmpty(){ From 51a629d37c65d11a9ad5fe2ad30fd782d62fe0a9 Mon Sep 17 00:00:00 2001 From: Paolo Rotolo Date: Sat, 10 Oct 2015 17:54:07 +0200 Subject: [PATCH 117/126] Move all methods in DatabaseHandler. Convert methods to Realm. --- .../glucosio/android/db/DatabaseHandler.java | 74 +++++++++++------- .../glucosio/android/db/GlucoseReading.java | 76 ++----------------- .../java/org/glucosio/android/db/User.java | 24 +++--- 3 files changed, 66 insertions(+), 108 deletions(-) diff --git a/app/src/main/java/org/glucosio/android/db/DatabaseHandler.java b/app/src/main/java/org/glucosio/android/db/DatabaseHandler.java index edc08101..51b68648 100644 --- a/app/src/main/java/org/glucosio/android/db/DatabaseHandler.java +++ b/app/src/main/java/org/glucosio/android/db/DatabaseHandler.java @@ -1,5 +1,12 @@ package org.glucosio.android.db; +import android.content.Context; +import android.opengl.GLU; + +import com.activeandroid.query.Select; + +import org.glucosio.android.tools.GlucoseConverter; + import java.text.DateFormat; import java.text.SimpleDateFormat; import java.util.ArrayList; @@ -7,44 +14,58 @@ import java.util.Calendar; import io.realm.Realm; +import io.realm.RealmQuery; +import io.realm.RealmResults; public class DatabaseHandler { + Context mContext; Realm realm; - public DatabaseHandler() { - this.realm=Realm.getInstance(this); + + public DatabaseHandler(Context context) { + this.realm=Realm.getInstance(mContext); } public void addUser(User user) { - User newUser = user; - newUser.save(); + realm.beginTransaction(); + realm.copyToRealm(user); + realm.commitTransaction(); } public User getUser(int id) { - return User.getUser(id); + return realm.where(User.class) + .equalTo("id", id) + .findFirst(); } public void updateUser(User user) { - User newUser = user; - newUser.save(); + realm.beginTransaction(); + realm.copyToRealmOrUpdate(user); + realm.commitTransaction(); } public void addGlucoseReading(GlucoseReading reading) { GlucoseReading newGlucoseReading = reading; - newGlucoseReading.save(); + realm.beginTransaction(); + realm.copyToRealm(reading); + realm.commitTransaction(); } public void deleteGlucoseReadings(GlucoseReading reading) { - GlucoseReading glucoseReading = reading; - reading.delete(); + realm.beginTransaction(); + reading.removeFromRealm(); + realm.commitTransaction(); } - public List getGlucoseReadings() { - return GlucoseReading.getAllGlucoseReading(); + public RealmResults getGlucoseReadings() { + return realm.where(GlucoseReading.class) + .findAllSorted("created", false); } - public List getGlucoseReadings(String where) { - return GlucoseReading.getGlucoseReadings(where); + public GlucoseReading getGlucoseReading(int id) { + return realm.where(GlucoseReading.class) + .equalTo("id", id) + .findFirst(); } public ArrayList getGlucoseIdAsArray(){ @@ -55,7 +76,7 @@ public ArrayList getGlucoseIdAsArray(){ for (i = 0; i < glucoseReading.size(); i++){ long id; GlucoseReading singleReading= glucoseReading.get(i); - id = singleReading.get_id(); + id = singleReading.getId(); idArray.add(id); } @@ -70,7 +91,7 @@ public ArrayList getGlucoseReadingAsArray(){ for (i = 0; i < glucoseReading.size(); i++){ int reading; GlucoseReading singleReading= glucoseReading.get(i); - reading = singleReading.get_reading(); + reading = singleReading.getReading(); readingArray.add(reading); } @@ -85,7 +106,7 @@ public ArrayList getGlucoseTypeAsArray(){ for (i = 0; i < glucoseReading.size(); i++){ String reading; GlucoseReading singleReading= glucoseReading.get(i); - reading = singleReading.get_reading_type(); + reading = singleReading.getReading_type(); typeArray.add(reading); } @@ -100,7 +121,7 @@ public ArrayList getGlucoseDateTimeAsArray(){ for (i = 0; i < glucoseReading.size(); i++){ String reading; GlucoseReading singleReading= glucoseReading.get(i); - reading = singleReading.get_created(); + reading = singleReading.getCreated().toString(); datetimeArray.add(reading); } @@ -108,16 +129,11 @@ public ArrayList getGlucoseDateTimeAsArray(){ } public GlucoseReading getGlucoseReadingById(int id){ - return getGlucoseReadings("id = " + id).get(0); + return getGlucoseReading(id); } - public List getGlucoseReadingsByMonth(int month){ - String m=Integer.toString(month); - m=String.format("%02d",m); - return getGlucoseReadings(" strftime('%m',created)='"+m+"'"); - } - private ArrayList getGlucoseReadingsForLastMonthAsArray(){ +/* private ArrayList getGlucoseReadingsForLastMonthAsArray(){ Calendar calendar = Calendar.getInstance(); DateFormat inputFormat = new SimpleDateFormat("yyyy-MM-dd HH:mm"); String now = inputFormat.format(calendar.getTime()); @@ -135,13 +151,13 @@ private ArrayList getGlucoseReadingsForLastMonthAsArray(){ gReadings = GlucoseReading.getGlucoseReadings(whereString); int i; for (i=0; i < gReadings.size(); i++){ - readings.add(gReadings.get(i).get_reading()); + readings.add(gReadings.get(i).getReading()); } return readings; - } + }*/ - public Integer getAverageGlucoseReadingForLastMonth() { +/* public Integer getAverageGlucoseReadingForLastMonth() { ArrayList readings = getGlucoseReadingsForLastMonthAsArray(); int sum = 0; int numberOfReadings = readings.size(); @@ -163,5 +179,5 @@ public List getAverageGlucoseReadingsByWeek(){ public List getAverageGlucoseReadingsByMonth() { String[] columns = new String[] { "reading", "strftime('%Y%m', created) AS month" }; return GlucoseReading.getGlucoseReadingsByGroup(columns, "month"); - } + }*/ } diff --git a/app/src/main/java/org/glucosio/android/db/GlucoseReading.java b/app/src/main/java/org/glucosio/android/db/GlucoseReading.java index d9e8497e..e84d1a92 100644 --- a/app/src/main/java/org/glucosio/android/db/GlucoseReading.java +++ b/app/src/main/java/org/glucosio/android/db/GlucoseReading.java @@ -1,105 +1,43 @@ package org.glucosio.android.db; -import com.activeandroid.Model; -import com.activeandroid.annotation.Column; -import com.activeandroid.annotation.Table; -import com.activeandroid.query.Select; - import java.util.Date; -import java.util.List; import java.util.UUID; - -import io.realm.Realm; import io.realm.RealmObject; -import io.realm.RealmResults; import io.realm.annotations.PrimaryKey; public class GlucoseReading extends RealmObject { @PrimaryKey - private long id; + private int id; private int reading; private String reading_type; private String notes; private int user_id; private Date created; - Realm realm; + public GlucoseReading() { - //it should be the context || How can we achieve it u can refer - this.realm=Realm.getInstance(this); } - public GlucoseReading(int reading,String reading_type,Date created,String notes) - { + public GlucoseReading(int reading,String reading_type,Date created,String notes) { this.reading=reading; this.reading_type=reading_type; this.created=created; this.notes=notes; } - public static RealmResults getGlucoseReading(int id) { - return realm.where(GlucoseReading.class) - .equalTo("id",Integer.toString(id)) - .findFirst(); - } - - public static RealmResults getAllGlucoseReading() { - return realm.where(GlucoseReading.class) - .findAll(); - } - - public static RealmResults getGlucoseReadings(String where) { - return realm.where(GlucoseReading.class) - . - } - - public static List getGlucoseReadings(String where, Object args) { - return new Select() - .from(GlucoseReading.class) - .orderBy("created DESC") - .where(where, args) - .execute(); - } - - public static List getGlucoseReadings(String where, Object args, String[] columns) { - return new Select(columns) - .from(GlucoseReading.class) - .orderBy("created DESC") - .where(where, args) - .execute(); - } - - public static List getGlucoseReadingsByGroup(String[] columns, String groupBy) { - return new Select(columns) - .from(GlucoseReading.class) - .orderBy("created DESC") - .groupBy(groupBy) - .execute(); - } - public String getNotes(){ return this.notes; } public void setNotes(String notes){ this.notes=notes; } - public int getUser_id() - { - return this.user_id; - } - public void setUser_id(int user_id) - { - this.user_id=user_id; - } - public long getId() - { - return this.getId(); + public void setId(int id) { + this.id = id; } - public void setId() + public int getId() { - String uniqueID= UUID.randomUUID().toString(); - this.id=Long.parseLong(uniqueID); + return id; } public void setReading(int reading) diff --git a/app/src/main/java/org/glucosio/android/db/User.java b/app/src/main/java/org/glucosio/android/db/User.java index a600fe4d..e6f36ac1 100644 --- a/app/src/main/java/org/glucosio/android/db/User.java +++ b/app/src/main/java/org/glucosio/android/db/User.java @@ -1,14 +1,11 @@ package org.glucosio.android.db; - -import com.activeandroid.Model; -import com.activeandroid.annotation.Column; -import com.activeandroid.annotation.Table; -import com.activeandroid.query.Select; - import io.realm.RealmObject; +import io.realm.annotations.PrimaryKey; public class User extends RealmObject { + @PrimaryKey + private int id; private String name; private String preferred_language; private String country; @@ -19,10 +16,13 @@ public class User extends RealmObject { private String preferred_range; private int custom_range_min; private int custom_range_max; + public User() { } + public User(int id, String name,String preferred_language, String country, int age, String gender,int dType, String pUnit, String pRange, int minRange, int maxRange) { + this.id=id; this.name=name; this.preferred_language=preferred_language; this.country=country; @@ -35,10 +35,6 @@ public User(int id, String name,String preferred_language, String country, int a this.custom_range_min = minRange; } - public static User getUser(int id) { - return new User(); - } - public int getD_type(){ return this.d_type; } @@ -110,4 +106,12 @@ public int getCustom_range_max() { public void setCustom_range_max(int custom_range_max) { this.custom_range_max = custom_range_max; } + + public int getId() { + return id; + } + + public void setId(int id) { + this.id = id; + } } From 7a808deb2000fae6517da5617af5ca61a104e638 Mon Sep 17 00:00:00 2001 From: Paolo Rotolo Date: Sat, 10 Oct 2015 18:05:58 +0200 Subject: [PATCH 118/126] Update GlucoseReading getters and setters. --- .../glucosio/android/db/GlucoseReading.java | 62 ++++++++++--------- 1 file changed, 33 insertions(+), 29 deletions(-) diff --git a/app/src/main/java/org/glucosio/android/db/GlucoseReading.java b/app/src/main/java/org/glucosio/android/db/GlucoseReading.java index e84d1a92..1d4b7a19 100644 --- a/app/src/main/java/org/glucosio/android/db/GlucoseReading.java +++ b/app/src/main/java/org/glucosio/android/db/GlucoseReading.java @@ -26,47 +26,51 @@ public GlucoseReading(int reading,String reading_type,Date created,String notes) this.notes=notes; } - public String getNotes(){ - return this.notes; - } - public void setNotes(String notes){ - this.notes=notes; + public int getId() { + return id; } + public void setId(int id) { this.id = id; } - public int getId() - { - return id; + + public int getReading() { + return reading; } - public void setReading(int reading) - { - this.reading=reading; + public void setReading(int reading) { + this.reading = reading; } - public void setReading_type(String reading_type) - { - this.reading_type=reading_type; + + public String getReading_type() { + return reading_type; } - public int getReading() - { - return this.reading; + public void setReading_type(String reading_type) { + this.reading_type = reading_type; } - public String getReading_type() - { - return this.reading_type; + + public String getNotes() { + return notes; + } + + public void setNotes(String notes) { + this.notes = notes; + } + + public int getUser_id() { + return user_id; } - public Date getCreated() - { - return this.created; + + public void setUser_id(int user_id) { + this.user_id = user_id; } - public void setCreated(Date created) - { - this.created=created; + + public Date getCreated() { + return created; } - public String getType() - { - return this.reading_type; + + public void setCreated(Date created) { + this.created = created; } } From 7753d5a1029f3e6f144b8554b66a49ef7155d04f Mon Sep 17 00:00:00 2001 From: Paolo Rotolo Date: Sat, 10 Oct 2015 20:20:13 +0200 Subject: [PATCH 119/126] Finish migration to Realm. --- .../android/activity/PreferencesActivity.java | 78 +++++++++---------- .../android/adapter/HistoryAdapter.java | 3 +- .../glucosio/android/db/DatabaseHandler.java | 22 ++++-- .../glucosio/android/db/GlucoseReading.java | 6 +- .../android/fragment/OverviewFragment.java | 14 ++-- .../android/presenter/AssistantPresenter.java | 2 +- .../android/presenter/HelloPresenter.java | 2 +- .../android/presenter/HistoryPresenter.java | 5 +- .../android/presenter/MainPresenter.java | 33 +++++--- .../android/presenter/OverviewPresenter.java | 10 +-- .../glucosio/android/tools/GlucoseRanges.java | 14 ++-- .../glucosio/android/tools/SplitDateTime.java | 59 ++------------ 12 files changed, 114 insertions(+), 134 deletions(-) diff --git a/app/src/main/java/org/glucosio/android/activity/PreferencesActivity.java b/app/src/main/java/org/glucosio/android/activity/PreferencesActivity.java index 5f995bb1..73c9340f 100644 --- a/app/src/main/java/org/glucosio/android/activity/PreferencesActivity.java +++ b/app/src/main/java/org/glucosio/android/activity/PreferencesActivity.java @@ -47,14 +47,16 @@ public static class MyPreferenceFragment extends PreferenceFragment { private EditTextPreference agePref; private EditTextPreference minRangePref; private EditTextPreference maxRangePref; + private User updatedUser; @Override public void onCreate(final Bundle savedInstanceState) { super.onCreate(savedInstanceState); addPreferencesFromResource(R.xml.preferences); - dB = new DatabaseHandler(); + dB = new DatabaseHandler(getActivity().getApplicationContext()); user = dB.getUser(1); + updatedUser = new User(user.getId(),user.getName(),user.getPreferred_language(),user.getCountry(),user.getAge(),user.getGender(),user.getD_type(),user.getPreferred_unit(),user.getPreferred_range(),user.getCustom_range_min(),user.getCustom_range_max()); agePref = (EditTextPreference) findPreference("pref_age"); countryPref = (ListPreference) findPreference("pref_country"); @@ -65,18 +67,14 @@ public void onCreate(final Bundle savedInstanceState) { minRangePref = (EditTextPreference) findPreference("pref_range_min"); maxRangePref = (EditTextPreference) findPreference("pref_range_max"); - agePref.setDefaultValue(user.get_age()); - countryPref.setValue(user.get_country()); - genderPref.setValue(user.get_gender()); - diabetesTypePref.setValue(user.get_d_type() + ""); - unitPref.setValue(user.get_preferred_unit()); - agePref.setDefaultValue(user.get_age()); - countryPref.setValue(user.get_country()); - genderPref.setValue(user.get_gender()); - unitPref.setValue(user.get_preferred_unit()); - rangePref.setValue(user.get_preferred_range()); - minRangePref.setDefaultValue(user.get_custom_range_min() + ""); - maxRangePref.setDefaultValue(user.get_custom_range_max() + ""); + agePref.setDefaultValue(user.getAge()); + countryPref.setValue(user.getCountry()); + genderPref.setValue(user.getGender()); + diabetesTypePref.setValue(user.getD_type() + ""); + unitPref.setValue(user.getPreferred_unit()); + rangePref.setValue(user.getPreferred_range()); + minRangePref.setDefaultValue(user.getCustom_range_min() + ""); + maxRangePref.setDefaultValue(user.getCustom_range_max() + ""); if (!rangePref.equals("custom")){ minRangePref.setEnabled(false); @@ -92,7 +90,7 @@ public void onCreate(final Bundle savedInstanceState) { countryPref.setOnPreferenceChangeListener(new Preference.OnPreferenceChangeListener() { @Override public boolean onPreferenceChange(Preference preference, Object newValue) { - user.set_country(newValue.toString()); + updatedUser.setCountry(newValue.toString()); updateDB(); return false; @@ -104,7 +102,7 @@ public boolean onPreferenceChange(Preference preference, Object newValue) { if (newValue.toString().trim().equals("")) { return false; } - user.set_age(Integer.parseInt(newValue.toString())); + updatedUser.setAge(Integer.parseInt(newValue.toString())); updateDB(); return true; } @@ -112,7 +110,7 @@ public boolean onPreferenceChange(Preference preference, Object newValue) { genderPref.setOnPreferenceChangeListener(new Preference.OnPreferenceChangeListener() { @Override public boolean onPreferenceChange(Preference preference, Object newValue) { - user.set_gender(newValue.toString()); + updatedUser.setGender(newValue.toString()); updateDB(); return true; } @@ -121,10 +119,10 @@ public boolean onPreferenceChange(Preference preference, Object newValue) { @Override public boolean onPreferenceChange(Preference preference, Object newValue) { if (newValue.toString().equals(getResources().getString(R.string.helloactivity_spinner_diabetes_type_1))) { - user.set_d_type(1); + updatedUser.setD_type(1); updateDB(); } else { - user.set_d_type(2); + updatedUser.setD_type(2); updateDB(); } return true; @@ -133,7 +131,7 @@ public boolean onPreferenceChange(Preference preference, Object newValue) { unitPref.setOnPreferenceChangeListener(new Preference.OnPreferenceChangeListener() { @Override public boolean onPreferenceChange(Preference preference, Object newValue) { - user.set_preferred_unit(newValue.toString()); + updatedUser.setPreferred_unit(newValue.toString()); updateDB(); return true; } @@ -141,7 +139,7 @@ public boolean onPreferenceChange(Preference preference, Object newValue) { rangePref.setOnPreferenceChangeListener(new Preference.OnPreferenceChangeListener() { @Override public boolean onPreferenceChange(Preference preference, Object newValue) { - user.set_preferred_range(newValue.toString()); + updatedUser.setPreferred_range(newValue.toString()); updateDB(); return true; } @@ -152,7 +150,7 @@ public boolean onPreferenceChange(Preference preference, Object newValue) { if (newValue.toString().trim().equals("")) { return false; } - user.set_custom_range_min(Integer.parseInt(newValue.toString())); + updatedUser.setCustom_range_min(Integer.parseInt(newValue.toString())); updateDB(); return true; } @@ -163,7 +161,7 @@ public boolean onPreferenceChange(Preference preference, Object newValue) { if (newValue.toString().trim().equals("")) { return false; } - user.set_custom_range_max(Integer.parseInt(newValue.toString())); + updatedUser.setCustom_range_max(Integer.parseInt(newValue.toString())); updateDB(); return true; } @@ -224,26 +222,26 @@ public boolean onPreferenceClick(Preference preference) { } private void updateDB() { - dB.updateUser(user); - agePref.setSummary(user.get_age() + ""); - genderPref.setSummary(user.get_gender() + ""); - diabetesTypePref.setSummary(getResources().getString(R.string.glucose_reading_type) + " " + user.get_d_type()); - unitPref.setSummary(user.get_preferred_unit() + ""); - countryPref.setSummary(user.get_country()); - rangePref.setSummary(user.get_preferred_range() + ""); - minRangePref.setSummary(user.get_custom_range_min() + ""); - maxRangePref.setSummary(user.get_custom_range_max() + ""); + dB.updateUser(updatedUser); + agePref.setSummary(user.getAge() + ""); + genderPref.setSummary(user.getGender() + ""); + diabetesTypePref.setSummary(getResources().getString(R.string.glucose_reading_type) + " " + user.getD_type()); + unitPref.setSummary(user.getPreferred_unit() + ""); + countryPref.setSummary(user.getCountry()); + rangePref.setSummary(user.getPreferred_range() + ""); + minRangePref.setSummary(user.getCustom_range_min() + ""); + maxRangePref.setSummary(user.getCustom_range_max() + ""); - countryPref.setValue(user.get_country()); - genderPref.setValue(user.get_gender()); - diabetesTypePref.setValue(user.get_d_type() + ""); - unitPref.setValue(user.get_preferred_unit()); - countryPref.setValue(user.get_country()); - genderPref.setValue(user.get_gender()); - unitPref.setValue(user.get_preferred_unit()); - rangePref.setValue(user.get_preferred_range()); + countryPref.setValue(user.getCountry()); + genderPref.setValue(user.getGender()); + diabetesTypePref.setValue(user.getD_type() + ""); + unitPref.setValue(user.getPreferred_unit()); + countryPref.setValue(user.getCountry()); + genderPref.setValue(user.getGender()); + unitPref.setValue(user.getPreferred_unit()); + rangePref.setValue(user.getPreferred_range()); - if (!user.get_preferred_range().equals("Custom range")){ + if (!user.getPreferred_range().equals("Custom range")){ minRangePref.setEnabled(false); maxRangePref.setEnabled(false); } else { diff --git a/app/src/main/java/org/glucosio/android/adapter/HistoryAdapter.java b/app/src/main/java/org/glucosio/android/adapter/HistoryAdapter.java index 643716cd..4f1e5f3f 100644 --- a/app/src/main/java/org/glucosio/android/adapter/HistoryAdapter.java +++ b/app/src/main/java/org/glucosio/android/adapter/HistoryAdapter.java @@ -9,6 +9,7 @@ import android.widget.TextView; import org.glucosio.android.R; +import org.glucosio.android.fragment.HistoryFragment; import org.glucosio.android.presenter.HistoryPresenter; import org.glucosio.android.tools.GlucoseConverter; import org.glucosio.android.tools.GlucoseRanges; @@ -70,7 +71,7 @@ public void onBindViewHolder(ViewHolder holder, int position) { idTextView.setText(presenter.getId().get(position).toString()); - GlucoseRanges ranges = new GlucoseRanges(); + GlucoseRanges ranges = new GlucoseRanges(mContext); String color = ranges.colorFromRange(presenter.getReading().get(position)); if (presenter.getUnitMeasuerement().equals("mg/dL")) { diff --git a/app/src/main/java/org/glucosio/android/db/DatabaseHandler.java b/app/src/main/java/org/glucosio/android/db/DatabaseHandler.java index 51b68648..a826ed53 100644 --- a/app/src/main/java/org/glucosio/android/db/DatabaseHandler.java +++ b/app/src/main/java/org/glucosio/android/db/DatabaseHandler.java @@ -23,6 +23,7 @@ public class DatabaseHandler { Realm realm; public DatabaseHandler(Context context) { + this.mContext = context; this.realm=Realm.getInstance(mContext); } @@ -32,7 +33,7 @@ public void addUser(User user) { realm.commitTransaction(); } - public User getUser(int id) { + public User getUser(long id) { return realm.where(User.class) .equalTo("id", id) .findFirst(); @@ -45,8 +46,8 @@ public void updateUser(User user) { } public void addGlucoseReading(GlucoseReading reading) { - GlucoseReading newGlucoseReading = reading; realm.beginTransaction(); + reading.setId(getNextKey()); realm.copyToRealm(reading); realm.commitTransaction(); } @@ -62,7 +63,7 @@ public RealmResults getGlucoseReadings() { .findAllSorted("created", false); } - public GlucoseReading getGlucoseReading(int id) { + public GlucoseReading getGlucoseReading(long id) { return realm.where(GlucoseReading.class) .equalTo("id", id) .findFirst(); @@ -117,18 +118,19 @@ public ArrayList getGlucoseDateTimeAsArray(){ List glucoseReading = getGlucoseReadings(); ArrayList datetimeArray = new ArrayList(); int i; + DateFormat inputFormat = new SimpleDateFormat("yyyy-MM-dd HH:mm"); for (i = 0; i < glucoseReading.size(); i++){ String reading; GlucoseReading singleReading= glucoseReading.get(i); - reading = singleReading.getCreated().toString(); + reading = inputFormat.format(singleReading.getCreated()); datetimeArray.add(reading); } return datetimeArray; } - public GlucoseReading getGlucoseReadingById(int id){ + public GlucoseReading getGlucoseReadingById(long id){ return getGlucoseReading(id); } @@ -180,4 +182,14 @@ public List getAverageGlucoseReadingsByMonth() { String[] columns = new String[] { "reading", "strftime('%Y%m', created) AS month" }; return GlucoseReading.getGlucoseReadingsByGroup(columns, "month"); }*/ + + public long getNextKey() { + Number maxId = realm.where(GlucoseReading.class) + .max("id"); + if (maxId == null){ + return 0; + } else { + return Long.parseLong(maxId.toString())+1; + } + } } diff --git a/app/src/main/java/org/glucosio/android/db/GlucoseReading.java b/app/src/main/java/org/glucosio/android/db/GlucoseReading.java index 1d4b7a19..37dc7878 100644 --- a/app/src/main/java/org/glucosio/android/db/GlucoseReading.java +++ b/app/src/main/java/org/glucosio/android/db/GlucoseReading.java @@ -8,7 +8,7 @@ public class GlucoseReading extends RealmObject { @PrimaryKey - private int id; + private long id; private int reading; private String reading_type; @@ -26,11 +26,11 @@ public GlucoseReading(int reading,String reading_type,Date created,String notes) this.notes=notes; } - public int getId() { + public long getId() { return id; } - public void setId(int id) { + public void setId(long id) { this.id = id; } diff --git a/app/src/main/java/org/glucosio/android/fragment/OverviewFragment.java b/app/src/main/java/org/glucosio/android/fragment/OverviewFragment.java index 325e117d..fcc88b4a 100644 --- a/app/src/main/java/org/glucosio/android/fragment/OverviewFragment.java +++ b/app/src/main/java/org/glucosio/android/fragment/OverviewFragment.java @@ -166,13 +166,13 @@ private void setData() { } else if (graphSpinner.getSelectedItemPosition() == 1){ // Week view for (int i = 0; i < presenter.getReadingsWeek().size(); i++) { - String date = presenter.convertDate(presenter.getReadingsWeek().get(i).get_created()); + String date = presenter.convertDate(presenter.getReadingsWeek().get(i).getCreated().toString()); xVals.add(date + ""); } } else { // Month view for (int i = 0; i < presenter.getReadingsWeek().size(); i++) { - String date = presenter.convertDate(presenter.getReadingsMonth().get(i).get_created()); + String date = presenter.convertDate(presenter.getReadingsMonth().get(i).getCreated().toString()); xVals.add(date + ""); } } @@ -197,10 +197,10 @@ private void setData() { // Week view for (int i = 0; i < presenter.getReadingsWeek().size(); i++) { if (presenter.getUnitMeasuerement().equals("mg/dL")) { - float val = Float.parseFloat(presenter.getReadingsWeek().get(i).get_reading()+""); + float val = Float.parseFloat(presenter.getReadingsWeek().get(i).getReading()+""); yVals.add(new Entry(val, i)); } else { - double val = converter.toMmolL(Double.parseDouble(presenter.getReadingsWeek().get(i).get_reading()+"")); + double val = converter.toMmolL(Double.parseDouble(presenter.getReadingsWeek().get(i).getReading()+"")); float converted = (float) val; yVals.add(new Entry(converted, i)); } @@ -209,10 +209,10 @@ private void setData() { // Month view for (int i = 0; i < presenter.getReadingsMonth().size(); i++) { if (presenter.getUnitMeasuerement().equals("mg/dL")) { - float val = Float.parseFloat(presenter.getReadingsMonth().get(i).get_reading()+""); + float val = Float.parseFloat(presenter.getReadingsMonth().get(i).getReading()+""); yVals.add(new Entry(val, i)); } else { - double val = converter.toMmolL(Double.parseDouble(presenter.getReadingsMonth().get(i).get_reading()+"")); + double val = converter.toMmolL(Double.parseDouble(presenter.getReadingsMonth().get(i).getReading()+"")); float converted = (float) val; yVals.add(new Entry(converted, i)); } @@ -256,7 +256,7 @@ private void loadLastReading(){ readingTextView.setText(converter.toMmolL(Double.parseDouble(presenter.getLastReading().toString())) + " mmol/L"); } - GlucoseRanges ranges = new GlucoseRanges(); + GlucoseRanges ranges = new GlucoseRanges(getActivity().getApplicationContext()); String color = ranges.colorFromRange(Integer.parseInt(presenter.getLastReading())); switch (color) { case "green": diff --git a/app/src/main/java/org/glucosio/android/presenter/AssistantPresenter.java b/app/src/main/java/org/glucosio/android/presenter/AssistantPresenter.java index ee925bca..246933d9 100644 --- a/app/src/main/java/org/glucosio/android/presenter/AssistantPresenter.java +++ b/app/src/main/java/org/glucosio/android/presenter/AssistantPresenter.java @@ -10,7 +10,7 @@ public class AssistantPresenter { public AssistantPresenter(AssistantFragment assistantFragment) { this.fragment= assistantFragment; - dB = new DatabaseHandler(); + dB = new DatabaseHandler(assistantFragment.getContext()); } public void addReading() { diff --git a/app/src/main/java/org/glucosio/android/presenter/HelloPresenter.java b/app/src/main/java/org/glucosio/android/presenter/HelloPresenter.java index fc636072..1ef09d92 100644 --- a/app/src/main/java/org/glucosio/android/presenter/HelloPresenter.java +++ b/app/src/main/java/org/glucosio/android/presenter/HelloPresenter.java @@ -21,7 +21,7 @@ public class HelloPresenter { public HelloPresenter(HelloActivity helloActivity) { this.helloActivity = helloActivity; - dB = new DatabaseHandler(); + dB = new DatabaseHandler(helloActivity.getApplicationContext()); } public void loadDatabase(){ diff --git a/app/src/main/java/org/glucosio/android/presenter/HistoryPresenter.java b/app/src/main/java/org/glucosio/android/presenter/HistoryPresenter.java index 219a0478..e16b78fc 100644 --- a/app/src/main/java/org/glucosio/android/presenter/HistoryPresenter.java +++ b/app/src/main/java/org/glucosio/android/presenter/HistoryPresenter.java @@ -5,6 +5,7 @@ import org.glucosio.android.fragment.HistoryFragment; import java.util.ArrayList; +import java.util.Date; public class HistoryPresenter { @@ -17,7 +18,7 @@ public class HistoryPresenter { public HistoryPresenter(HistoryFragment historyFragment) { this.fragment = historyFragment; - dB = new DatabaseHandler(); + dB = new DatabaseHandler(historyFragment.getContext()); } public void loadDatabase(){ @@ -46,7 +47,7 @@ private void removeReadingFromDb(GlucoseReading gReading) { // Getters public String getUnitMeasuerement(){ - return dB.getUser(1).get_preferred_unit(); + return dB.getUser(1).getPreferred_unit(); } public ArrayList getId() { diff --git a/app/src/main/java/org/glucosio/android/presenter/MainPresenter.java b/app/src/main/java/org/glucosio/android/presenter/MainPresenter.java index 14efca75..3791336f 100644 --- a/app/src/main/java/org/glucosio/android/presenter/MainPresenter.java +++ b/app/src/main/java/org/glucosio/android/presenter/MainPresenter.java @@ -11,8 +11,10 @@ import org.glucosio.android.tools.SplitDateTime; import java.text.DateFormat; +import java.text.ParseException; import java.text.SimpleDateFormat; import java.util.Calendar; +import java.util.Date; public class MainPresenter { @@ -32,18 +34,18 @@ public class MainPresenter { public MainPresenter(MainActivity mainActivity) { this.mainActivity = mainActivity; - dB = new DatabaseHandler(); + dB = new DatabaseHandler(mainActivity.getApplicationContext()); Log.i("msg::","initiated db object"); - /*if (dB.getUser(1) == null){ + if (dB.getUser(1) == null){ // if user exists start hello activity mainActivity.startHelloActivity(); } else { //creating a nrw user user = dB.getUser(1); - age = user.get_age(); + age = user.getAge(); rTools = new ReadingTools(); converter = new GlucoseConverter(); - }*/ + } } public boolean isdbEmpty(){ @@ -57,7 +59,8 @@ public void updateSpinnerTypeTime() { public void getCurrentTime(){ DateFormat inputFormat = new SimpleDateFormat("yyyy-MM-dd HH:mm"); - String formatted = inputFormat.format(Calendar.getInstance().getTime()); + Date formatted = Calendar.getInstance().getTime(); + SplitDateTime addSplitDateTime = new SplitDateTime(formatted, inputFormat); this.readingYear = addSplitDateTime.getYear(); @@ -69,7 +72,8 @@ public void getCurrentTime(){ public int timeToSpinnerType() { DateFormat inputFormat = new SimpleDateFormat("yyyy-MM-dd HH:mm"); - String formatted = inputFormat.format(Calendar.getInstance().getTime()); + Date formatted = Calendar.getInstance().getTime(); + SplitDateTime addSplitDateTime = new SplitDateTime(formatted, inputFormat); int hour = Integer.parseInt(addSplitDateTime.getHour()); @@ -81,16 +85,16 @@ public int hourToSpinnerType(int hour){ } public String getGlucoseReadingReadingById(int id){ - return dB.getGlucoseReadingById(id).get_reading() + ""; + return dB.getGlucoseReadingById(id).getReading() + ""; } public String getGlucoseReadingTypeById(int id){ - return dB.getGlucoseReadingById(id).get_reading_type(); + return dB.getGlucoseReadingById(id).getReading_type(); } public void getGlucoseReadingTimeById(int id){ DateFormat inputFormat = new SimpleDateFormat("yyyy-MM-dd HH:mm"); - SplitDateTime splitDateTime = new SplitDateTime(dB.getGlucoseReadingById(id).get_created(), inputFormat); + SplitDateTime splitDateTime = new SplitDateTime(dB.getGlucoseReadingById(id).getCreated(), inputFormat); this.readingYear = splitDateTime.getYear(); this.readingMonth = splitDateTime.getMonth(); this.readingDay = splitDateTime.getDay(); @@ -100,7 +104,10 @@ public void getGlucoseReadingTimeById(int id){ public void dialogOnAddButtonPressed(String time, String date, String reading, String type){ if (validateDate(date) && validateTime(time) && validateReading(reading) && validateType(type)) { - String finalDateTime = readingYear + "-" + readingMonth + "-" + readingDay + " " + readingHour + ":" + readingMinute; + + Calendar cal = Calendar.getInstance(); + cal.set(Integer.parseInt(readingYear),Integer.parseInt(readingMonth),Integer.parseInt(readingDay),Integer.parseInt(readingHour),Integer.parseInt(readingMinute)); + Date finalDateTime = cal.getTime(); if (getUnitMeasuerement().equals("mg/dL")) { int finalReading = Integer.parseInt(reading); @@ -120,7 +127,9 @@ public void dialogOnAddButtonPressed(String time, String date, String reading, S public void dialogOnEditButtonPressed(String time, String date, String reading, String type, int id){ if (validateDate(date) && validateTime(time) && validateReading(reading)) { int finalReading = Integer.parseInt(reading); - String finalDateTime = readingYear + "-" + readingMonth + "-" + readingDay + " " + readingHour + ":" + readingMinute; + Calendar cal = Calendar.getInstance(); + cal.set(Integer.parseInt(readingYear),Integer.parseInt(readingMonth),Integer.parseInt(readingDay),Integer.parseInt(readingHour),Integer.parseInt(readingMinute)); + Date finalDateTime = cal.getTime(); GlucoseReading gReadingToDelete = dB.getGlucoseReadingById(id); GlucoseReading gReading = new GlucoseReading(finalReading, type, finalDateTime,""); @@ -186,7 +195,7 @@ private boolean validateReading(String reading) { // Getters and Setters public String getUnitMeasuerement(){ - return dB.getUser(1).get_preferred_unit(); + return dB.getUser(1).getPreferred_unit(); } public String getReadingYear() { diff --git a/app/src/main/java/org/glucosio/android/presenter/OverviewPresenter.java b/app/src/main/java/org/glucosio/android/presenter/OverviewPresenter.java index 7347c3aa..e58b3e27 100644 --- a/app/src/main/java/org/glucosio/android/presenter/OverviewPresenter.java +++ b/app/src/main/java/org/glucosio/android/presenter/OverviewPresenter.java @@ -22,7 +22,7 @@ public class OverviewPresenter { public OverviewPresenter(OverviewFragment overviewFragment) { - dB = new DatabaseHandler(); + dB = new DatabaseHandler(overviewFragment.getContext()); this.fragment = overviewFragment; } @@ -32,8 +32,8 @@ public boolean isdbEmpty(){ public void loadDatabase(){ this.reading = dB.getGlucoseReadingAsArray(); - this.readingsMonth = dB.getAverageGlucoseReadingsByMonth(); - this.readingsWeek = dB.getAverageGlucoseReadingsByWeek(); +/* this.readingsMonth = dB.getAverageGlucoseReadingsByMonth(); + this.readingsWeek = dB.getAverageGlucoseReadingsByWeek();*/ this.type = dB.getGlucoseTypeAsArray(); this.datetime = dB.getGlucoseDateTimeAsArray(); } @@ -60,11 +60,11 @@ public String getRandomTip(TipsManager manager){ } public String getUnitMeasuerement(){ - return dB.getUser(1).get_preferred_unit(); + return dB.getUser(1).getPreferred_unit(); } public int getUserAge(){ - return dB.getUser(1).get_age(); + return dB.getUser(1).getAge(); } public ArrayList getReading() { diff --git a/app/src/main/java/org/glucosio/android/tools/GlucoseRanges.java b/app/src/main/java/org/glucosio/android/tools/GlucoseRanges.java index 4812e0d0..d81a5ff5 100644 --- a/app/src/main/java/org/glucosio/android/tools/GlucoseRanges.java +++ b/app/src/main/java/org/glucosio/android/tools/GlucoseRanges.java @@ -1,20 +1,24 @@ package org.glucosio.android.tools; +import android.content.Context; + import org.glucosio.android.db.DatabaseHandler; public class GlucoseRanges { private DatabaseHandler dB; + private Context mContext; private String preferredRange; private int customMin; private int customMax; - public GlucoseRanges(){ - dB = new DatabaseHandler(); - this.preferredRange = dB.getUser(1).get_preferred_range(); + public GlucoseRanges(Context context){ + this.mContext = context; + dB = new DatabaseHandler(mContext); + this.preferredRange = dB.getUser(1).getPreferred_range(); if (preferredRange.equals("Custom range")){ - this.customMin = dB.getUser(1).get_custom_range_min(); - this.customMax = dB.getUser(1).get_custom_range_max(); + this.customMin = dB.getUser(1).getCustom_range_min(); + this.customMax = dB.getUser(1).getCustom_range_max(); } } diff --git a/app/src/main/java/org/glucosio/android/tools/SplitDateTime.java b/app/src/main/java/org/glucosio/android/tools/SplitDateTime.java index 580bf1c8..225da37a 100644 --- a/app/src/main/java/org/glucosio/android/tools/SplitDateTime.java +++ b/app/src/main/java/org/glucosio/android/tools/SplitDateTime.java @@ -7,81 +7,36 @@ public class SplitDateTime { - String origDateTime; // Example "yyyy-MM-dd HH:mm" + Date origDateTime; // Example "yyyy-MM-dd HH:mm" DateFormat inputFormat; - public SplitDateTime(String origDatetime, DateFormat origDateFormat) { + public SplitDateTime(Date origDatetime, DateFormat origDateFormat) { this.origDateTime = origDatetime; this.inputFormat = origDateFormat; } public String getHour(){ DateFormat finalFormat = new SimpleDateFormat("HH"); - - Date parsed = null; - try { - parsed = inputFormat.parse(origDateTime); - } catch (ParseException e) { - // TODO Auto-generated catch block - e.printStackTrace(); - } - - return finalFormat.format(parsed); + return finalFormat.format(origDateTime); } public String getMinute(){ DateFormat finalFormat = new SimpleDateFormat("mm"); - - Date parsed = null; - try { - parsed = inputFormat.parse(origDateTime); - } catch (ParseException e) { - // TODO Auto-generated catch block - e.printStackTrace(); - } - - return finalFormat.format(parsed); + return finalFormat.format(origDateTime); } public String getYear(){ DateFormat finalFormat = new SimpleDateFormat("yyyy"); - - Date parsed = null; - try { - parsed = inputFormat.parse(origDateTime); - } catch (ParseException e) { - // TODO Auto-generated catch block - e.printStackTrace(); - } - - return finalFormat.format(parsed); + return finalFormat.format(origDateTime); } public String getMonth(){ DateFormat finalFormat = new SimpleDateFormat("MM"); - - Date parsed = null; - try { - parsed = inputFormat.parse(origDateTime); - } catch (ParseException e) { - // TODO Auto-generated catch block - e.printStackTrace(); - } - - return finalFormat.format(parsed); + return finalFormat.format(origDateTime); } public String getDay(){ DateFormat finalFormat = new SimpleDateFormat("dd"); - - Date parsed = null; - try { - parsed = inputFormat.parse(origDateTime); - } catch (ParseException e) { - // TODO Auto-generated catch block - e.printStackTrace(); - } - - return finalFormat.format(parsed); + return finalFormat.format(origDateTime); } } From 969a086382d90ac6ab18d4c772699ddf073ccfea Mon Sep 17 00:00:00 2001 From: Paolo Rotolo Date: Sat, 10 Oct 2015 21:30:26 +0200 Subject: [PATCH 120/126] Add methods to get weeks/months number --- app/build.gradle | 1 + .../glucosio/android/db/DatabaseHandler.java | 57 +++++++++++++++---- 2 files changed, 48 insertions(+), 10 deletions(-) diff --git a/app/build.gradle b/app/build.gradle index 7b3d37bc..feb9e279 100644 --- a/app/build.gradle +++ b/app/build.gradle @@ -46,4 +46,5 @@ dependencies { compile 'com.michaelpardo:activeandroid:3.1.0-SNAPSHOT' compile 'com.wnafee:vector-compat:1.0.5' compile 'io.realm:realm-android:0.83.0' + compile 'net.danlew:android.joda:2.8.2' } diff --git a/app/src/main/java/org/glucosio/android/db/DatabaseHandler.java b/app/src/main/java/org/glucosio/android/db/DatabaseHandler.java index a826ed53..120275b2 100644 --- a/app/src/main/java/org/glucosio/android/db/DatabaseHandler.java +++ b/app/src/main/java/org/glucosio/android/db/DatabaseHandler.java @@ -1,15 +1,22 @@ package org.glucosio.android.db; import android.content.Context; +import android.content.ReceiverCallNotAllowedException; import android.opengl.GLU; import com.activeandroid.query.Select; +import net.danlew.android.joda.JodaTimeAndroid; + import org.glucosio.android.tools.GlucoseConverter; +import org.joda.time.DateTime; +import org.joda.time.Months; +import org.joda.time.Weeks; import java.text.DateFormat; import java.text.SimpleDateFormat; import java.util.ArrayList; +import java.util.Date; import java.util.List; import java.util.Calendar; @@ -157,9 +164,9 @@ public GlucoseReading getGlucoseReadingById(long id){ } return readings; - }*/ + } -/* public Integer getAverageGlucoseReadingForLastMonth() { + public Integer getAverageGlucoseReadingForLastMonth() { ArrayList readings = getGlucoseReadingsForLastMonthAsArray(); int sum = 0; int numberOfReadings = readings.size(); @@ -171,17 +178,47 @@ public GlucoseReading getGlucoseReadingById(long id){ } else { return 0; } - } + }*/ + + public List getAverageGlucoseReadingsByWeek(){ + JodaTimeAndroid.init(mContext); + + Date maxDate = realm.where(GlucoseReading.class) + .maximumDate("created"); + Date minDate = realm.where(GlucoseReading.class) + .minimumDate("created"); + + DateTime maxDateTime = new DateTime(maxDate.getTime()); + DateTime minDateTime = new DateTime(minDate.getTime()); + + Weeks weeksNumber = Weeks.weeksBetween(minDateTime, maxDateTime); + ArrayList readings; + + + /* USE THIS TO GET READINGS BETWEEN 2 DATES: + + realm.where(GlucoseReading.class) + .between("created", DATE1, DATE2);*/ - public List getAverageGlucoseReadingsByWeek(){ - String[] columns = new String[] { "reading", "strftime('%Y%W', created) AS week" }; - return GlucoseReading.getGlucoseReadingsByGroup(columns, "week"); } - public List getAverageGlucoseReadingsByMonth() { - String[] columns = new String[] { "reading", "strftime('%Y%m', created) AS month" }; - return GlucoseReading.getGlucoseReadingsByGroup(columns, "month"); - }*/ + public List getAverageGlucoseReadingsByMonth() { + JodaTimeAndroid.init(mContext); + + Date maxDate = realm.where(GlucoseReading.class) + .maximumDate("created"); + Date minDate = realm.where(GlucoseReading.class) + .minimumDate("created"); + DateTime maxDateTime = new DateTime(maxDate.getTime()); + DateTime minDateTime = new DateTime(minDate.getTime()); + + int monthsNumber = Months.monthsBetween(minDateTime, maxDateTime).getMonths(); + + /* USE THIS TO GET READINGS BETWEEN 2 DATES: + + realm.where(GlucoseReading.class) + .between("created", DATE1, DATE2);*/ + } public long getNextKey() { Number maxId = realm.where(GlucoseReading.class) From 5db95638e724bff4ad2b44710672fab8a172ac04 Mon Sep 17 00:00:00 2001 From: Christopher Pecoraro Date: Sun, 11 Oct 2015 23:30:16 +0200 Subject: [PATCH 121/126] adding weekly and monthly averages --- .../glucosio/android/db/DatabaseHandler.java | 48 +++++++++---------- 1 file changed, 24 insertions(+), 24 deletions(-) diff --git a/app/src/main/java/org/glucosio/android/db/DatabaseHandler.java b/app/src/main/java/org/glucosio/android/db/DatabaseHandler.java index 120275b2..0d8aebbb 100644 --- a/app/src/main/java/org/glucosio/android/db/DatabaseHandler.java +++ b/app/src/main/java/org/glucosio/android/db/DatabaseHandler.java @@ -183,41 +183,41 @@ public Integer getAverageGlucoseReadingForLastMonth() { public List getAverageGlucoseReadingsByWeek(){ JodaTimeAndroid.init(mContext); - Date maxDate = realm.where(GlucoseReading.class) - .maximumDate("created"); - Date minDate = realm.where(GlucoseReading.class) - .minimumDate("created"); + DateTime maxDateTime = new DateTime(realm.where(GlucoseReading.class).minimumDate("created").getTime()); + DateTime minDateTime = new DateTime(realm.where(GlucoseReading.class).maximumDate("created").getTime()); - DateTime maxDateTime = new DateTime(maxDate.getTime()); - DateTime minDateTime = new DateTime(minDate.getTime()); + DateTime currentDateTime = minDateTime; + DateTime newDateTime = minDateTime; - Weeks weeksNumber = Weeks.weeksBetween(minDateTime, maxDateTime); - ArrayList readings; - - - /* USE THIS TO GET READINGS BETWEEN 2 DATES: - - realm.where(GlucoseReading.class) - .between("created", DATE1, DATE2);*/ + ArrayList averageReadings = new ArrayList(); + while (newDateTime.compareTo(maxDateTime) != 1) { + newDateTime = currentDateTime.plusWeeks(1); + RealmResults readings = realm.where(GlucoseReading.class) + .between("created", currentDateTime.toDate(), newDateTime.toDate()).findAll(); + averageReadings.add(((int)readings.average("reading"))); + } + return averageReadings; } public List getAverageGlucoseReadingsByMonth() { JodaTimeAndroid.init(mContext); - Date maxDate = realm.where(GlucoseReading.class) - .maximumDate("created"); - Date minDate = realm.where(GlucoseReading.class) - .minimumDate("created"); - DateTime maxDateTime = new DateTime(maxDate.getTime()); - DateTime minDateTime = new DateTime(minDate.getTime()); + DateTime maxDateTime = new DateTime(realm.where(GlucoseReading.class).minimumDate("created").getTime()); + DateTime minDateTime = new DateTime(realm.where(GlucoseReading.class).maximumDate("created").getTime()); - int monthsNumber = Months.monthsBetween(minDateTime, maxDateTime).getMonths(); + DateTime currentDateTime = minDateTime; + DateTime newDateTime = minDateTime; - /* USE THIS TO GET READINGS BETWEEN 2 DATES: + ArrayList averageReadings = new ArrayList(); - realm.where(GlucoseReading.class) - .between("created", DATE1, DATE2);*/ + while (newDateTime.compareTo(maxDateTime) != 1) { + newDateTime = currentDateTime.plusMonths(1); + RealmResults readings = realm.where(GlucoseReading.class) + .between("created", currentDateTime.toDate(), newDateTime.toDate()).findAll(); + averageReadings.add(((int)readings.average("reading"))); + } + return averageReadings; } public long getNextKey() { From 45936d1285524c9bdabc8899251e276ef5bf1f7b Mon Sep 17 00:00:00 2001 From: Paolo Rotolo Date: Mon, 12 Oct 2015 16:50:07 +0200 Subject: [PATCH 122/126] Fixed methods to get weekly/monthly readings in graph. Closes #85. --- .../glucosio/android/db/DatabaseHandler.java | 64 +++++++++++++++---- .../android/fragment/OverviewFragment.java | 39 +++++++---- .../android/presenter/OverviewPresenter.java | 27 +++++--- import-translations-github.sh | 4 +- 4 files changed, 99 insertions(+), 35 deletions(-) diff --git a/app/src/main/java/org/glucosio/android/db/DatabaseHandler.java b/app/src/main/java/org/glucosio/android/db/DatabaseHandler.java index 0d8aebbb..c7f78727 100644 --- a/app/src/main/java/org/glucosio/android/db/DatabaseHandler.java +++ b/app/src/main/java/org/glucosio/android/db/DatabaseHandler.java @@ -183,43 +183,85 @@ public Integer getAverageGlucoseReadingForLastMonth() { public List getAverageGlucoseReadingsByWeek(){ JodaTimeAndroid.init(mContext); - DateTime maxDateTime = new DateTime(realm.where(GlucoseReading.class).minimumDate("created").getTime()); - DateTime minDateTime = new DateTime(realm.where(GlucoseReading.class).maximumDate("created").getTime()); + DateTime maxDateTime = new DateTime(realm.where(GlucoseReading.class).maximumDate("created").getTime()); + DateTime minDateTime = new DateTime(realm.where(GlucoseReading.class).minimumDate("created").getTime()); DateTime currentDateTime = minDateTime; DateTime newDateTime = minDateTime; ArrayList averageReadings = new ArrayList(); + int weeksNumber = Weeks.weeksBetween(minDateTime, maxDateTime).getWeeks(); - while (newDateTime.compareTo(maxDateTime) != 1) { - newDateTime = currentDateTime.plusWeeks(1); + for (int i=0; i<=weeksNumber; i++) { + newDateTime = currentDateTime.plusWeeks(i); RealmResults readings = realm.where(GlucoseReading.class) - .between("created", currentDateTime.toDate(), newDateTime.toDate()).findAll(); + .between("created", currentDateTime.toDate(), newDateTime.toDate()) + .findAll(); averageReadings.add(((int)readings.average("reading"))); } return averageReadings; } - public List getAverageGlucoseReadingsByMonth() { + public List getGlucoseDatetimesByWeek(){ JodaTimeAndroid.init(mContext); - DateTime maxDateTime = new DateTime(realm.where(GlucoseReading.class).minimumDate("created").getTime()); - DateTime minDateTime = new DateTime(realm.where(GlucoseReading.class).maximumDate("created").getTime()); + DateTime maxDateTime = new DateTime(realm.where(GlucoseReading.class).maximumDate("created").getTime()); + DateTime minDateTime = new DateTime(realm.where(GlucoseReading.class).minimumDate("created").getTime()); DateTime currentDateTime = minDateTime; DateTime newDateTime = minDateTime; + ArrayList finalWeeks = new ArrayList(); + int weeksNumber = Weeks.weeksBetween(minDateTime, maxDateTime).getWeeks(); + + DateFormat inputFormat = new SimpleDateFormat("yyyy-MM-dd HH:mm"); + for (int i=0; i<=weeksNumber; i++) { + newDateTime = currentDateTime.plusWeeks(i); + finalWeeks.add(inputFormat.format(newDateTime.toDate())); + } + return finalWeeks; + } + + public List getAverageGlucoseReadingsByMonth() { + JodaTimeAndroid.init(mContext); + + DateTime maxDateTime = new DateTime(realm.where(GlucoseReading.class).maximumDate("created").getTime()); + DateTime minDateTime = new DateTime(realm.where(GlucoseReading.class).minimumDate("created").getTime()); + + DateTime currentDateTime = minDateTime; + DateTime newDateTime = minDateTime; ArrayList averageReadings = new ArrayList(); + int monthsNumber = Months.monthsBetween(minDateTime, maxDateTime).getMonths(); - while (newDateTime.compareTo(maxDateTime) != 1) { - newDateTime = currentDateTime.plusMonths(1); + for (int i=0; i<=monthsNumber; i++) { + newDateTime = currentDateTime.plusMonths(i); RealmResults readings = realm.where(GlucoseReading.class) - .between("created", currentDateTime.toDate(), newDateTime.toDate()).findAll(); + .between("created", currentDateTime.toDate(), newDateTime.toDate()) + .findAll(); averageReadings.add(((int)readings.average("reading"))); } return averageReadings; } + public List getGlucoseDatetimesByMonth() { + JodaTimeAndroid.init(mContext); + + DateTime maxDateTime = new DateTime(realm.where(GlucoseReading.class).maximumDate("created").getTime()); + DateTime minDateTime = new DateTime(realm.where(GlucoseReading.class).minimumDate("created").getTime()); + + DateTime currentDateTime = minDateTime; + DateTime newDateTime = minDateTime; + ArrayList finalMonths = new ArrayList(); + int monthsNumber = Months.monthsBetween(minDateTime, maxDateTime).getMonths(); + DateFormat inputFormat = new SimpleDateFormat("yyyy-MM-dd HH:mm"); + + for (int i = 0; i <= monthsNumber; i++) { + newDateTime = currentDateTime.plusMonths(i); + finalMonths.add(inputFormat.format(newDateTime.toDate())); + } + return finalMonths; + } + public long getNextKey() { Number maxId = realm.where(GlucoseReading.class) .max("id"); diff --git a/app/src/main/java/org/glucosio/android/fragment/OverviewFragment.java b/app/src/main/java/org/glucosio/android/fragment/OverviewFragment.java index fcc88b4a..00f7490d 100644 --- a/app/src/main/java/org/glucosio/android/fragment/OverviewFragment.java +++ b/app/src/main/java/org/glucosio/android/fragment/OverviewFragment.java @@ -10,6 +10,7 @@ import android.widget.ArrayAdapter; import android.widget.Spinner; import android.widget.TextView; +import android.widget.Toast; import com.github.mikephil.charting.charts.LineChart; import com.github.mikephil.charting.components.Legend; @@ -59,16 +60,20 @@ public View onCreateView(LayoutInflater inflater, ViewGroup container, Bundle savedInstanceState) { View mFragmentView; presenter = new OverviewPresenter(this); - presenter.loadDatabase(); + if (!presenter.isdbEmpty()) { + presenter.loadDatabase(); + } mFragmentView = inflater.inflate(R.layout.fragment_overview, container, false); chart = (LineChart) mFragmentView.findViewById(R.id.chart); Legend legend = chart.getLegend(); - Collections.reverse(presenter.getReading()); - Collections.reverse(presenter.getDatetime()); - Collections.reverse(presenter.getType()); + if (!presenter.isdbEmpty()) { + Collections.reverse(presenter.getReading()); + Collections.reverse(presenter.getDatetime()); + Collections.reverse(presenter.getType()); + } readingTextView = (TextView) mFragmentView.findViewById(R.id.item_history_reading); trendTextView = (TextView) mFragmentView.findViewById(R.id.item_history_trend); @@ -84,8 +89,10 @@ public View onCreateView(LayoutInflater inflater, ViewGroup container, graphSpinner.setOnItemSelectedListener(new AdapterView.OnItemSelectedListener() { @Override public void onItemSelected(AdapterView parent, View view, int position, long id) { - setData(); - chart.invalidate(); + if (!presenter.isdbEmpty()) { + setData(); + chart.invalidate(); + } } @Override @@ -141,7 +148,9 @@ public void onNothingSelected(AdapterView parent) { chart.setBackgroundColor(Color.parseColor("#FFFFFF")); chart.setDescription(""); chart.setGridBackgroundColor(Color.parseColor("#FFFFFF")); - setData(); + if (!presenter.isdbEmpty()) { + setData(); + } legend.setEnabled(false); loadLastReading(); @@ -166,13 +175,13 @@ private void setData() { } else if (graphSpinner.getSelectedItemPosition() == 1){ // Week view for (int i = 0; i < presenter.getReadingsWeek().size(); i++) { - String date = presenter.convertDate(presenter.getReadingsWeek().get(i).getCreated().toString()); + String date = presenter.convertDate(presenter.getDatetimeWeek().get(i)); xVals.add(date + ""); } } else { // Month view - for (int i = 0; i < presenter.getReadingsWeek().size(); i++) { - String date = presenter.convertDate(presenter.getReadingsMonth().get(i).getCreated().toString()); + for (int i = 0; i < presenter.getReadingsMonth().size(); i++) { + String date = presenter.convertDate(presenter.getDatetimeMonth().get(i)); xVals.add(date + ""); } } @@ -197,22 +206,24 @@ private void setData() { // Week view for (int i = 0; i < presenter.getReadingsWeek().size(); i++) { if (presenter.getUnitMeasuerement().equals("mg/dL")) { - float val = Float.parseFloat(presenter.getReadingsWeek().get(i).getReading()+""); + float val = Float.parseFloat(presenter.getReadingsWeek().get(i)+""); yVals.add(new Entry(val, i)); } else { - double val = converter.toMmolL(Double.parseDouble(presenter.getReadingsWeek().get(i).getReading()+"")); + double val = converter.toMmolL(Double.parseDouble(presenter.getReadingsWeek().get(i)+"")); float converted = (float) val; yVals.add(new Entry(converted, i)); } } } else { // Month view + Toast.makeText(getActivity().getApplicationContext(), presenter.getReadingsMonth().size() +"",Toast.LENGTH_SHORT).show(); + for (int i = 0; i < presenter.getReadingsMonth().size(); i++) { if (presenter.getUnitMeasuerement().equals("mg/dL")) { - float val = Float.parseFloat(presenter.getReadingsMonth().get(i).getReading()+""); + float val = Float.parseFloat(presenter.getReadingsMonth().get(i)+""); yVals.add(new Entry(val, i)); } else { - double val = converter.toMmolL(Double.parseDouble(presenter.getReadingsMonth().get(i).getReading()+"")); + double val = converter.toMmolL(Double.parseDouble(presenter.getReadingsMonth().get(i)+"")); float converted = (float) val; yVals.add(new Entry(converted, i)); } diff --git a/app/src/main/java/org/glucosio/android/presenter/OverviewPresenter.java b/app/src/main/java/org/glucosio/android/presenter/OverviewPresenter.java index e58b3e27..785e7d01 100644 --- a/app/src/main/java/org/glucosio/android/presenter/OverviewPresenter.java +++ b/app/src/main/java/org/glucosio/android/presenter/OverviewPresenter.java @@ -16,8 +16,10 @@ public class OverviewPresenter { private ArrayList reading; private ArrayList type; private ArrayList datetime; - private List readingsWeek; - private List readingsMonth; + private List readingsWeek; + private List readingsMonth; + private List datetimeWeek; + private List datetimeMonth; private OverviewFragment fragment; @@ -30,16 +32,17 @@ public boolean isdbEmpty(){ return dB.getGlucoseReadings().size() == 0; } - public void loadDatabase(){ + public void loadDatabase() { this.reading = dB.getGlucoseReadingAsArray(); -/* this.readingsMonth = dB.getAverageGlucoseReadingsByMonth(); - this.readingsWeek = dB.getAverageGlucoseReadingsByWeek();*/ + this.readingsMonth = dB.getAverageGlucoseReadingsByMonth(); + this.readingsWeek = dB.getAverageGlucoseReadingsByWeek(); + this.datetimeWeek = dB.getGlucoseDatetimesByWeek(); + this.datetimeMonth = dB.getGlucoseDatetimesByMonth(); this.type = dB.getGlucoseTypeAsArray(); this.datetime = dB.getGlucoseDateTimeAsArray(); } public String convertDate(String date) { - ReadingTools rTools = new ReadingTools(); return fragment.convertDate(date); } @@ -79,11 +82,19 @@ public ArrayList getDatetime() { return datetime; } - public List getReadingsWeek() { + public List getReadingsWeek() { return readingsWeek; } - public List getReadingsMonth() { + public List getReadingsMonth() { return readingsMonth; } + + public List getDatetimeWeek() { + return datetimeWeek; + } + + public List getDatetimeMonth() { + return datetimeMonth; + } } diff --git a/import-translations-github.sh b/import-translations-github.sh index 7ed73e26..17b02210 100644 --- a/import-translations-github.sh +++ b/import-translations-github.sh @@ -8,7 +8,7 @@ if [ "$TRAVIS_PULL_REQUEST" == "false" ]; then git config --global user.name "Glucat" #clone gh-pages branch - git clone --quiet --branch=develop https://$GITHUB_API_KEY@github.com/Glucosio/android.git develop > /dev/null + git clone --branch=develop https://$GITHUB_API_KEY@github.com/Glucosio/android.git develop > /dev/null cd develop/app/src/main/res/ wget https://crowdin.com/downloads/crowdin-cli.jar @@ -23,7 +23,7 @@ if [ "$TRAVIS_PULL_REQUEST" == "false" ]; then git remote add origin https://glucat:$GITHUB_API_KEY@github.com/Glucosio/android.git git add -f . git commit -m "Automatic translation import (build $TRAVIS_BUILD_NUMBER)." - git push -fq origin develop > /dev/null + git push -f origin develop > /dev/null echo -e "Done magic with coverage\n" fi \ No newline at end of file From 5ea219dd657e8b9304cee39f605926b082a1b26c Mon Sep 17 00:00:00 2001 From: Paolo Rotolo Date: Mon, 12 Oct 2015 17:12:12 +0200 Subject: [PATCH 123/126] Clean code. Prevent SoftKeyboard to pop up on first start. --- app/src/main/AndroidManifest.xml | 6 ------ .../org/glucosio/android/activity/HelloActivity.java | 4 ++++ .../org/glucosio/android/db/DatabaseHandler.java | 12 ------------ 3 files changed, 4 insertions(+), 18 deletions(-) diff --git a/app/src/main/AndroidManifest.xml b/app/src/main/AndroidManifest.xml index 3dacf321..283d3ca3 100644 --- a/app/src/main/AndroidManifest.xml +++ b/app/src/main/AndroidManifest.xml @@ -9,12 +9,6 @@ android:label="@string/app_name" android:theme="@style/GlucosioTheme" android:supportsRtl="true"> - - Date: Mon, 12 Oct 2015 15:18:53 +0000 Subject: [PATCH 124/126] Automatic translation import (build 218). --- app/src/main/res/values-ar-rSA/strings.xml | 16 +-- app/src/main/res/values-bn-rIN/strings.xml | 18 ++-- app/src/main/res/values-bs-rBA/strings.xml | 18 ++-- app/src/main/res/values-de-rDE/strings.xml | 16 +-- app/src/main/res/values-es-rES/strings.xml | 42 ++++---- app/src/main/res/values-es-rMX/strings.xml | 24 ++--- app/src/main/res/values-es-rVE/strings.xml | 64 ++++++------ app/src/main/res/values-fil-rPH/strings.xml | 14 +-- app/src/main/res/values-fr-rFR/strings.xml | 2 +- app/src/main/res/values-fr-rQC/strings.xml | 2 +- app/src/main/res/values-in-rID/strings.xml | 110 ++++++++++---------- app/src/main/res/values-my-rMM/strings.xml | 44 ++++---- app/src/main/res/values-pam-rPH/strings.xml | 14 +-- app/src/main/res/values-sw-rKE/strings.xml | 16 +-- app/src/main/res/values-sw-rTZ/strings.xml | 20 ++-- app/src/main/res/values-ta-rIN/strings.xml | 28 ++--- app/src/main/res/values-uk-rUA/strings.xml | 52 ++++----- app/src/main/res/values-zh-rTW/strings.xml | 12 +-- 18 files changed, 256 insertions(+), 256 deletions(-) diff --git a/app/src/main/res/values-ar-rSA/strings.xml b/app/src/main/res/values-ar-rSA/strings.xml index f09c4549..61ba18cd 100644 --- a/app/src/main/res/values-ar-rSA/strings.xml +++ b/app/src/main/res/values-ar-rSA/strings.xml @@ -70,31 +70,31 @@ الوزن Custom measurement category - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. + كًل المزيد من الأطعمة الطازجة وغير المعدة مسبقا للمساعدة في تقليل كمية الكربوهيدرات والسكر. + قراءة الملصق الغذائي على الأطعمة المعلبة والمشروبات للتحكم في كمية السكر والكربوهيدرات. + عند تناول الطعام خارج المنزل، أطلب السمك أو اللحم مشوي بدون زبدة أو زيت. + عند تناول الطعام خارج المنزل، اسأل ما إذا كان لديهم أطباق منخفضة الصوديوم. When eating out, eat the same portion sizes you would at home and take the leftovers to go. When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. + عند تناول الطعام خارج المنزل، اطلب الأطعمة الغير مخبوزة أو المقلية. When eating out ask for sauces, gravy and salad dressings \"on the side.\" Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + التحكم في ضغط الدم ومستويات الكوليسترول والدهون الثلاثية أمر مهم حيث أن مرضى السكري هم عرضه لأمراض القلب. There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + الإجهاد يمكن أن يكون له أثر سلبي على مرض السكري. تحدث مع طبيبك أو مع الرعاية الصحية المهنية حول كيفية التعامل مع الإجهاد. Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + حِد من كمية الملح المستخدمة في طهي الطعام والتي تقوم بإضافتها إلى وجبات الطعام بعد أن تم طهيها. مساعدة حدِّث الآن diff --git a/app/src/main/res/values-bn-rIN/strings.xml b/app/src/main/res/values-bn-rIN/strings.xml index 2cd31978..0c74b27e 100644 --- a/app/src/main/res/values-bn-rIN/strings.xml +++ b/app/src/main/res/values-bn-rIN/strings.xml @@ -11,7 +11,7 @@ হ্যালো। ব্যবহারের শর্তাবলী আমি পাঠ করে এবং ব্যবহারের শর্তাবলী স্বীকার করি - গ্লুকোসিও ওয়েবসাইট এবং অ্যাপের কন্টেন্ট, যেমন লেখা, গ্রাফিক্স, ছবি এবং অন্যান্য উপকরণ (\"কন্টেন্ট\") শুধুমাত্র তথ্যভিত্তিক ব্যবহারের জন্য। এই কন্টেন্ট কোন পেশাদার মেডিক্যাল পরামর্শ, ডায়গোনসিস বা চিকিৎসার বিকল্প নয়। আমরা গ্লুকোসিও ব্যবহারকারীদের সবসময় উৎসাহিত করি যেকোন স্বাস্থ্যগত সমস্যায় একজন চিকিৎসক অথবা অন্য কোন পরীক্ষিত স্বাস্থ্যসেবা প্রদানকারীর পরামর্শ নিতে। গ্লুকোসিও ওয়েবসাইট বা অ্যাপে পড়েছেন এমন কিছুর জন্য কখনও পেশাদার চিকিৎসকের পরামর্শকে উপেক্ষা বা পরামর্শ নিতে দেরি করা উচিত নয়। গ্লুকোসিও ওয়েবসাইট, ব্লগ, উইকি এবং ওয়েব ব্রাউজারে পাওয়া যায় (\"ওয়েবসাইট\") শুধুমাত্র উপরের বর্ণিত উদ্দেশ্যেই ব্যবহারযোগ্য।\n গ্লুকোসিও, গ্লুকোসিও টিম মেম্বার, স্বেচ্ছাসেবক এবং এর ওয়েবসাইট বা অ্যাপে দেওয়া কোন তথ্যের উপর কেবলমাত্র আপনার নিজ দায়িত্বে ভরসা রাখবেন। সাইট এবং কন্টেন্ট \"পূর্বের অভিজ্ঞতার\" ভিত্তিতে প্রদান করা হয়। + Glucosio ওয়েবসাইট এবং অ্যাপের কন্টেন্ট, যেমন লেখা, গ্রাফিক্স, ছবি এবং অন্যান্য উপকরণ (\"কন্টেন্ট\") শুধুমাত্র তথ্যভিত্তিক ব্যবহারের জন্য। এই কন্টেন্ট কোন পেশাদার মেডিক্যাল পরামর্শ, ডায়গোনসিস বা চিকিৎসার বিকল্প নয়। আমরা গ্লুকোসিও ব্যবহারকারীদের সবসময় উৎসাহিত করি যেকোন স্বাস্থ্যগত সমস্যায় একজন চিকিৎসক অথবা অন্য কোন পরীক্ষিত স্বাস্থ্যসেবা প্রদানকারীর পরামর্শ নিতে। Glucosio ওয়েবসাইট বা অ্যাপে পড়েছেন এমন কিছুর জন্য কখনও পেশাদার চিকিৎসকের পরামর্শকে উপেক্ষা বা পরামর্শ নিতে দেরি করা উচিত নয়। Glucosio ওয়েবসাইট, ব্লগ, উইকি এবং ওয়েব ব্রাউজারে পাওয়া যায় (\"ওয়েবসাইট\") শুধুমাত্র উপরের বর্ণিত উদ্দেশ্যেই ব্যবহারযোগ্য।\n Glucosio, Glucosio টিম মেম্বার, স্বেচ্ছাসেবক এবং এর ওয়েবসাইট বা অ্যাপে দেওয়া কোন তথ্যের উপর কেবলমাত্র আপনার নিজ দায়িত্বে ভরসা রাখবেন। সাইট এবং কন্টেন্ট \"পূর্বের অভিজ্ঞতার\" ভিত্তিতে প্রদান করা হয়। আপনার শুরু করার আগে আমদের দ্রুত কিছু জিনিসের প্রয়োজন। দেশ বয়স @@ -28,7 +28,7 @@ আপনি পরে সেটিংসে এই পরিবর্তন করতে পারেন। পরবর্তী এবার শুরু করা যাক - এখন পর্যন্ত কোন তথ্য নেই। \n আপনার রিডিং এখানে যোগ করুন। + এখন পর্যন্ত কোন তথ্য নেই। \n আপনার প্রথম রিডিং এখানে যোগ করুন। রক্তের গ্লুকোজ মাত্রা যোগ করুন একাগ্রতা তারিখ @@ -105,17 +105,17 @@ ফিডব্যাক জমা করুন পড়া যোগ করুন আপনার ওজন আপডেট করুন - অবশ্যই আপনার ওজন নিয়মিত হালনাগাদ করুন যেন গ্লুকোসিও সঠিক তথ্য পেতে পারে। - আপনার গবেষণা হালনাগাদে যোগ দিন - আপনি যেকোন সময়ে ডায়াবেটিস গবেষণার জন্য তথ্য প্রদানে অংশ নিতে বা তা থেকে বিরত থাকতে পারে, তবে মনে রাখবেন সকল ডাটা যা শেয়ার করা হচ্ছে তা বেনামে। আমরা কেবল মাত্র ডেমোগ্রাফি এবং গ্লুকোজ লেভেল ট্রেন্ড শেয়ার করে থাকি। + অবশ্যই আপনার ওজন নিয়মিত আপডেট করুন যেন Glucosio সঠিক তথ্য পেতে পারে। + আপনার গবেষণার আপডেট যোগ করুন + আপনি যেকোন সময়ে ডায়াবেটিস গবেষণার জন্য তথ্য প্রদানে অংশ নিতে বা তা থেকে বিরত থাকতে পারেন, তবে মনে রাখবেন সকল ডাটা যা শেয়ার করা হচ্ছে তা বেনামে। আমরা কেবল মাত্র ডেমোগ্রাফি এবং গ্লুকোজ লেভেল ট্রেন্ড শেয়ার করে থাকি। বিভাগ তৈরি করুন - গ্লুকোসিওতে কিছু ডিফল্ট বিষয়শ্রেণী থাকে আপনার গ্লুকোজ ইনপুট দেওয়ার জন্য তবে আপনি নিজেও আপনার সাথে মিল রেখে সেটিং থেকে নিজস্ব বিষয়শ্রেণী তৈরি করতে পারেন। + Glucosio-তে কিছু ডিফল্ট বিষয়শ্রেণী থাকে আপনার গ্লুকোজ ইনপুট দেওয়ার জন্য তবে আপনি নিজেও আপনার সাথে মিল রেখে সেটিংস থেকে নিজস্ব বিষয়শ্রেণী তৈরি করতে পারেন। এখানে প্রায়ই পরীক্ষা করুন - গ্লুকোসিও সহযোগী নিয়মিত পরামর্শ প্রদান করে এবং প্রতিনিয়ত নিজেকে আরও ভালো করছে, তাই আপনার গ্লুকোসিও অভিজ্ঞতাকে আরও ভালো করতে এবং অন্যান্য আরও উপকারী পরামর্শ পেতে নিয়মিত এখানে দেখুন এবং কি করতে হবে জানুন। + Glucosio সহযোগী নিয়মিত পরামর্শ প্রদান করে এবং প্রতিনিয়ত নিজেকে আরও ভালো করছে, তাই আপনার Glucosio অভিজ্ঞতাকে আরও ভালো করতে এবং অন্যান্য আরও উপকারী পরামর্শ পেতে নিয়মিত এখানে দেখুন এবং কি করতে হবে জানুন। ফিডব্যাক জমা করুন - যেকোন কারিগরি সমস্যায় বা যদি গ্লুকোসিও সম্পর্কে কোন ফিডব্যাক থাকে তাহলে গ্লুকোসিওকে আরও ভালো করতে সেটিং মেনু থেকে তা সাবমিট করুন। + যেকোন কারিগরি সমস্যায় বা যদি Glucosio সম্পর্কে কোন ফিডব্যাক থাকে তাহলে Glucosio-কে আরও ভালো করতে সেটিংস মেনু থেকে তা সাবমিট করুন। পড়া যোগ করুন - অবশ্যই নিয়মিত আপনার গ্লুকোজের মাত্রা যোগ করবেন যেন আমরা আপনাকে আপনার গ্লুকোজের মাত্রা সময়ে সময়ে ট্র্যাক করতে সহযোগীতা করতে পারি। + অবশ্যই নিয়মিত আপনার গ্লুকোজের মাত্রা যোগ করবেন যেন আমরা আপনাকে আপনার গ্লুকোজের মাত্রা সময়ে সময়ে ট্র্যাক করতে সহযোগীতা করতে পারি। @string/assistant_feedback_title @string/assistant_reading_title diff --git a/app/src/main/res/values-bs-rBA/strings.xml b/app/src/main/res/values-bs-rBA/strings.xml index 55c1f2ed..e7b71dd3 100644 --- a/app/src/main/res/values-bs-rBA/strings.xml +++ b/app/src/main/res/values-bs-rBA/strings.xml @@ -55,9 +55,9 @@ Zadnja provjera: Trend u proteklih mjesec dana: u granicama i zdrav - Month - Day - Week + Mjesec + Dan + Sedmica @string/fragment_overview_selector_day @string/fragment_overview_selector_week @@ -67,7 +67,7 @@ Verzija Uvjeti korištenja Tip - Weight + Težina Zasebna kategorija mjerenja Jedite više svježe neprocesirane hrane da biste smanjili unos ugljikohidrata i šećera. @@ -128,9 +128,9 @@ @string/assistant_action_reading @string/assistant_action_try - Preferred range - Custom range - Min value - Max value - TRY IT NOW + Željeni raspon + Zaseban raspon + Min. vrijednost + Max. vrijednost + PROBAJ ODMAH diff --git a/app/src/main/res/values-de-rDE/strings.xml b/app/src/main/res/values-de-rDE/strings.xml index a24053ae..67478dd8 100644 --- a/app/src/main/res/values-de-rDE/strings.xml +++ b/app/src/main/res/values-de-rDE/strings.xml @@ -3,14 +3,14 @@ Glucosio Einstellungen - Send feedback + Rückmeldung senden Übersicht Verlauf Tipps Hallo. Hallo. Nutzungsbedingungen. - I\'ve read and accept the Terms of Use + Ich habe die Nutzungsbedingungen gelesen und ich akzeptiere sie The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. Wir brauchen nur noch einige Dinge bevor Sie loslegen können. Land @@ -43,10 +43,10 @@ Allgemein Recheck Nacht - Other + Anderes ABBRECHEN HINZUFÜGEN - Please enter a valid value. + Bitte einen gültigen Wert eingeben. Bitte alle Felder ausfüllen. Löschen Bearbeiten @@ -55,9 +55,9 @@ Zuletzt geprüft: Trend in letzten Monat: im normalen Bereich und gesund - Month - Day - Week + Monat + Tag + Woche @string/fragment_overview_selector_day @string/fragment_overview_selector_week @@ -67,7 +67,7 @@ Version Nutzungsbedingungen Typ - Weight + Gewicht Custom measurement category Essen Sie mehr frische, unverarbeitete Lebensmittel um Aufnahme von Kohlenhydraten und Zucker zu reduzieren. diff --git a/app/src/main/res/values-es-rES/strings.xml b/app/src/main/res/values-es-rES/strings.xml index e582d604..070027b0 100644 --- a/app/src/main/res/values-es-rES/strings.xml +++ b/app/src/main/res/values-es-rES/strings.xml @@ -55,9 +55,9 @@ Última revisión: Tendencia en el último mes: en el rango y saludable - Month - Day - Week + Mes + Día + Semana @string/fragment_overview_selector_day @string/fragment_overview_selector_week @@ -67,8 +67,8 @@ Versión Condiciones de uso Tipo - Weight - Custom measurement category + Peso + Categoría de medición personalizada Comer más alimentos frescos y no transformados para ayudar a reducir el consumo de carbohidratos y azúcar. Lea las etiquetas nutricionales en los alimentos envasados y las bebidas para controlar el consumo de azúcar y carbohidratos. @@ -90,28 +90,28 @@ La privación de sueño puede llevarse a comer más comida chatarra, y como resultado, puede impactar su salud negativamente. Asegúrese de dormir bien y consulte a un especialista del sueño si le dificulta dormir. El estrés puede tener un impacto negativo en los con diabetes. Hable con su doctor u otro profesional de salud de cómo manejar el estrés. El visitar su doctor una vez al año y tener una comunicación durante el año entero es importante para los diabéticos para prevenir cualquier comienzo repentino de problemas de salud asociados. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + Tome sus medicamentos según la receta de su médico. Aun los pequeños lapsos en su medicina pueden afectar su nivel de glucosa sanguínea y provocar otros efectos secundarios. Si tiene dificultad para recordar de tomar los medicamentos, pregunte a su médico acerca de la administración de medicamentos y las opciones recordatorios. - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Los diabéticos mayores pueden estar en mayor riesgo de problemas de salud asociados con la diabetes. Hable con su médico sobre cómo la edad juega un papel en la diabetes y cómo cuidarse. Limite la cantidad de sal que usa para cocinar y para salar las comidas después de cocinarlas. Asistente ACTUALIZAR AHORA OK, LO CONSIGUIÓ - SUBMIT FEEDBACK - ADD READING + ENVIAR COMENTARIOS + AGREGAR LECTURA Actualizar su peso Asegúrese de actualizar su peso para que Glucosio tenga la información más precisa. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Actualizar su investigación opt-in + Siempre se puede aceptar o optar por no compartir la investigación de la diabetes, pero recuerde que todos los datos compartidos son totalmente anónimos. Solamente compartimos datos demográficos y las tendencias de los niveles de glucosa. Crear categorías Glucosio tiene categorías predeterminadas para la entrada de glucosa, pero puede crear categorías personalizadas en la configuración para que coincida con sus necesidades particulares. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading + Revise esto a menudo + Asistente de Glucosio ofrece consejos regulares y seguirá mejorando, así que siempre revisa aquí para ver lo que puede hacer para mejorar su experiencia con Glucosio y por otros consejos útiles. + Enviar Comentarios + Si encuentra cualquier problema técnico o tiene comentarios sobre Glucosio, le animamos a enviar sus comentarios en el menú de configuración con el fin de ayudarnos a mejorar Glucosio. + Añadir Lectura Asegúrese de añadir regularmente sus lecturas de glucosa para que podamos ayudarle a seguir sus niveles de glucosa a lo largo del tiempo. @string/assistant_feedback_title @@ -128,9 +128,9 @@ @string/assistant_action_reading @string/assistant_action_try - Preferred range - Custom range - Min value - Max value - TRY IT NOW + Rango preferido + Rango a medida + Valor mínimo + Valor máximo + PRUÉBELO AHORA diff --git a/app/src/main/res/values-es-rMX/strings.xml b/app/src/main/res/values-es-rMX/strings.xml index 467b1fb5..aaf5a4da 100644 --- a/app/src/main/res/values-es-rMX/strings.xml +++ b/app/src/main/res/values-es-rMX/strings.xml @@ -104,15 +104,15 @@ Actualizar su peso Asegúrese de actualizar su peso para que Glucosio tenga la información más precisa. Actualizar su investigación opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Usted puede siempre opt-in u opt-out del intercambio de la investigación de diabetes, pero recuerde que todos los datos compartidos son totalmente anónimos. Solamente compartimos datos demográficos y las tendencias de los niveles de glucosio. Crear categorías Glucosio tiene categorías predeterminadas para la entrada de glucosa, pero puede crear categorías personalizadas en la configuración para que coincida con sus necesidades particulares. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Asegúrese de añadir regularmente sus lecturas de glucosa para que podamos ayudarle a seguir sus niveles de glucosa a lo largo del tiempo. + Revise esto a menudo + Asistente de Glucosio ofrece consejos regulares y seguirá mejorando, así que siempre revisa aquí para ver lo que puede hacer para mejorar su experiencia con Glucosio y para aprender otros consejos útiles. + Enviar comentarios + Si encuentra cualquier problema técnico o tiene comentarios sobre Glucosio, le animamos a enviar sus comentarios en el menú de configuración con el fin de ayudarnos a mejorar Glucosio. + Añadir una medición de glucosa + Asegúrese de añadir regularmente sus lecturas de glucosa para que podamos ayudarle a seguir sus niveles de glucosa a largo plazo. @string/assistant_feedback_title @string/assistant_reading_title @@ -128,9 +128,9 @@ @string/assistant_action_reading @string/assistant_action_try - Preferred range - Custom range - Min value - Max value - TRY IT NOW + Gama preferida + Gama personalizada + Valor mínimo + Valor máximo + PRUÉBELO AHORA diff --git a/app/src/main/res/values-es-rVE/strings.xml b/app/src/main/res/values-es-rVE/strings.xml index 5eacd713..4fcab863 100644 --- a/app/src/main/res/values-es-rVE/strings.xml +++ b/app/src/main/res/values-es-rVE/strings.xml @@ -9,7 +9,7 @@ Consejos Hola. Hola. - Términos de Uso. + Términos de uso He leído y acepto los términos de uso El contenido de la página web de Glucosio y sus aplicaciones, tales como el texto, los gráficos, las imágenes y otros materiales (\"contenido\"), son sólo para los fines informativos. El contenido no intenta ser un sustituto de los consejos, diagnósticos o tratamientos de los médicos profesionales. Animamos a los usuarios de Glucosio a que siempre busquen el asesoramiento de un médico u otro proveedor de salud calificado con cualquier pregunta que puedan tener sobre una condición médica. Nunca ignore los consejos médicos profesionales o retrasa en buscar el consejo debido a algo que ha leído en la Página Web de Glucosio o en nuestras aplicaciones. La Página Web, el Blog, el Wiki y otro contenido accesible por el navegador web (los sitios web) de Glucosio, deben ser utilizados únicamente para el propósito descrito. \n Confianza en cualquier información proporcionada por Glucosio, miembros del equipo de Glucosio, voluntarios u otros que aparecen en el sitio web o en nuestras aplicaciones es exclusivamente bajo su propio riesgo. El Sitio y el Contenido se proporcionan sobre una base \"tal cual\". Solo necesitamos un par de cosas antes comenzar. @@ -28,7 +28,7 @@ Puedes cambiar la configuración más tarde. SIGUIENTE EMPEZAR - No hay información disponible todavía. \n Añadir tu primera lectura aquí. + No hay información disponible todavía. \n Añadir tu primera medición de glucosa aquí. Añade el nivel de glucosa en la sangre Concentración Fecha @@ -40,10 +40,10 @@ Después del almuerzo Antes de la cena Después de la cena - Ajustes generales - Vuelva a revisar + General + Volver a verficar Noche - Información adicional + Otros Cancelar Añadir Por favor, ingrese un valor válido. @@ -55,20 +55,20 @@ Última revisión: Tendencia en el último mes: en el rango y saludable - Month - Day - Week + Mes + Día + Semana @string/fragment_overview_selector_day @string/fragment_overview_selector_week @string/fragment_overview_selector_month - Sobre la aplicación + Acerca de Versión - Condiciones de uso + Términos de uso Tipo - Weight - Custom measurement category + Peso + Categoría de medición personalizada Comer más alimentos frescos y no transformados para ayudar a reducir el consumo de carbohidratos y azúcar. Lea las etiquetas nutricionales en los alimentos envasados y las bebidas para controlar el consumo de azúcar y carbohidratos. @@ -78,10 +78,10 @@ Cuando coma fuera, pida comidas bajas en calorías, como los aderezos para ensaladas, aun si no salen en el menú. Cuando coma fuera, pida sustituciones. En lugar de papas fritas, pida una orden doble de una verdura como la ensalada, las judías verdes o el brócoli. Cuando coma fuera, pida comidas que no sean apanadas ni fritas. - Cuando coma fuera de casa, pida salsas y aderezos \"al lado.\" - Sin azúcar no realmente significa sin azúcar. Significa 0,5 gramos (g) de azúcar por porción, así que tenga cuidado para no comer demasiados artículos sin azucar. - Moverse hacia un peso saludable ayuda a control azúcar en la sangre. Su médico, una nutricionista y un entrenador físico pueden ayudarle a empezar en un plan que funcione para usted. - La verificación del nivel de sangre y el seguimiento del nivel en una aplicación como Glucosio dos veces al día le ayudará a ser consciente de los resultados de las opciones de comida y estilo de vida. + Cuando comas fuera de casa, pide las salsas y aderezos \"a un lado.\" + Sin azúcar no significa sin azúcar de veras. Significa 0,5 gramos (g) de azúcar por porción, así que tenga cuidado para no comer demasiados artículos sin azucar. + Acercarse a un peso saludable ayuda a controlar el azúcar en la sangre. Tu médico, un nutricionista y un entrenador físico pueden ayudarte a encontrar un plan que funcione para ti. + La verificación del nivel de sangre y el seguimiento del nivel en una aplicación como Glucosio dos veces al día le ayudará a ser consciente de los resultados de las elecciones de comida y estilo de vida. Obtenga un análisis de sangre A1c para averiguar su nivel de azúcar promedio durante los últimos 2 a 3 meses. Su médico debe decirle con qué frecuencia esta prueba será necesaria hacer. Seguimiento de la cantidad de carbohidratos que consume puede ser tan importante como comprobar los niveles de sangre ya que los carbohidratos influyen los niveles de glucosa. Hable con su médico o dietista sobre el consumo de carbohidratos. Controlar la presión arterial, el colesterol y los niveles de triglicéridos es importante porque los diabéticos son susceptibles a la enfermedad cardíaca. @@ -90,28 +90,28 @@ La privación de sueño puede llevarse a comer más comida chatarra, y como resultado, puede impactar su salud negativamente. Asegúrese de dormir bien y consulte a un especialista del sueño si le dificulta dormir. El estrés puede tener un impacto negativo en los con diabetes. Hable con su doctor u otro profesional de salud de cómo manejar el estrés. El visitar su doctor una vez al año y tener una comunicación durante el año entero es importante para los diabéticos para prevenir cualquier comienzo repentino de problemas de salud asociados. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + Tome sus medicamentos según la receta de su médico. Aun los pequeños lapsos en su medicina pueden afectar su nivel de glucosa sanguínea y provocar otros efectos secundarios. Si tiene dificultad para recordar de tomar los medicamentos, pregunte a su médico acerca de la administración de medicamentos y las opciones recordatorios. - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Los diabéticos mayores pueden estar en mayor riesgo de problemas de salud asociados con la diabetes. Hable con su médico sobre cómo la edad juega un papel en la diabetes y cómo cuidarse. Limite la cantidad de sal que usa para cocinar y para salar las comidas después de cocinarlas. Asistente ACTUALIZAR AHORA OK, LO CONSIGUIÓ - SUBMIT FEEDBACK - ADD READING + ENVIAR COMENTARIOS + AGREGAR LECTURA Actualizar su peso Asegúrese de actualizar su peso para que Glucosio tenga la información más precisa. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Actualizar su investigación opt-in + Siempre se puede aceptar o optar por no compartir la investigación de la diabetes, pero recuerde que todos los datos compartidos son totalmente anónimos. Solamente compartimos datos demográficos y las tendencias de los niveles de glucosa. Crear categorías Glucosio tiene categorías predeterminadas para la entrada de glucosa, pero puede crear categorías personalizadas en la configuración para que coincida con sus necesidades particulares. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading + Revise esto a menudo + Asistente de Glucosio ofrece consejos regulares y seguirá mejorando, así que siempre revisa aquí para ver lo que puede hacer para mejorar su experiencia con Glucosio y por otros consejos útiles. + Enviar Comentarios + Si encuentra cualquier problema técnico o tiene comentarios sobre Glucosio, le animamos a enviar sus comentarios en el menú de configuración con el fin de ayudarnos a mejorar Glucosio. + Añadir una medición de glucosa Asegúrese de añadir regularmente sus lecturas de glucosa para que podamos ayudarle a seguir sus niveles de glucosa a lo largo del tiempo. @string/assistant_feedback_title @@ -128,9 +128,9 @@ @string/assistant_action_reading @string/assistant_action_try - Preferred range - Custom range - Min value - Max value - TRY IT NOW + Rango preferido + Rango a medida + Valor mínimo + Valor máximo + PRUÉBELO AHORA diff --git a/app/src/main/res/values-fil-rPH/strings.xml b/app/src/main/res/values-fil-rPH/strings.xml index eaf5f29a..61c85a8a 100644 --- a/app/src/main/res/values-fil-rPH/strings.xml +++ b/app/src/main/res/values-fil-rPH/strings.xml @@ -55,9 +55,9 @@ Huling pagsusuri: Trend sa nakalipas na buwan: nasa tamang sukat at ikaw ay malusog - Month - Day - Week + Buwan + Araw + Linggo @string/fragment_overview_selector_day @string/fragment_overview_selector_week @@ -67,7 +67,7 @@ Bersyon Terms of use Uri - Weight + Timbang Custom na kategorya para sa mga sukat Kumain ng mga sariwa at hindi processed na mga pagkain para makaiwas sa carbohydrate at asukal. @@ -128,9 +128,9 @@ @string/assistant_action_reading @string/assistant_action_try - Preferred range - Custom range + Nais na saklaw + Custom na saklaw Min value Max value - TRY IT NOW + SUBUKAN NGAYON diff --git a/app/src/main/res/values-fr-rFR/strings.xml b/app/src/main/res/values-fr-rFR/strings.xml index ce1d32f9..2960887c 100644 --- a/app/src/main/res/values-fr-rFR/strings.xml +++ b/app/src/main/res/values-fr-rFR/strings.xml @@ -103,7 +103,7 @@ AJOUTER LECTURE Mise à jour de votre poids Assurez-vous de mettre à jour votre poids afin Glucosio contient les informations les plus exactes. - Update your research opt-in + Mettre à jour votre consentement à la recherche Vous pouvez toujours activer ou désactiver le partage pour la recherche sur le diabète, mais rappelez vous que les données partagées sont entièrement anonyme. Nous partageons seulement les données démographiques et le niveau de glucose. Créer des catégories Glucosio comprend des catégories par défaut pour l\'entrée de glucose mais vous pouvez créer des catégories personnalisées dans paramètres pour assortir vos besoins uniques. diff --git a/app/src/main/res/values-fr-rQC/strings.xml b/app/src/main/res/values-fr-rQC/strings.xml index ce1d32f9..2960887c 100644 --- a/app/src/main/res/values-fr-rQC/strings.xml +++ b/app/src/main/res/values-fr-rQC/strings.xml @@ -103,7 +103,7 @@ AJOUTER LECTURE Mise à jour de votre poids Assurez-vous de mettre à jour votre poids afin Glucosio contient les informations les plus exactes. - Update your research opt-in + Mettre à jour votre consentement à la recherche Vous pouvez toujours activer ou désactiver le partage pour la recherche sur le diabète, mais rappelez vous que les données partagées sont entièrement anonyme. Nous partageons seulement les données démographiques et le niveau de glucose. Créer des catégories Glucosio comprend des catégories par défaut pour l\'entrée de glucose mais vous pouvez créer des catégories personnalisées dans paramètres pour assortir vos besoins uniques. diff --git a/app/src/main/res/values-in-rID/strings.xml b/app/src/main/res/values-in-rID/strings.xml index 0fefd9e9..ad602dcc 100644 --- a/app/src/main/res/values-in-rID/strings.xml +++ b/app/src/main/res/values-in-rID/strings.xml @@ -28,7 +28,7 @@ Anda dapat mengganti ini nanti di pengaturan. BERIKUTNYA MEMULAI - No info available yet. \n Add your first reading here. + Tidak ada informasi tersedia. \n Tambahkan bacaan pertamamu disini. Tambah Kadar Glukosa Darah Konsentrasi Tanggal @@ -41,23 +41,23 @@ Sebelum makan malam Setelah makan malam Umum - Recheck + Periksa kembali Malam - Other + Lainnya BATAL TAMBAH - Please enter a valid value. + Tolong masukan nilai yang sah. Mohon lengkapi semua isian. Hapus Edit 1 bacaan dihapus URUNG Periksa terakhir: - Trend over past month: + Kecenderungan bulan lalu: in range and healthy - Month - Day - Week + Bulan + Hari + Minggu @string/fragment_overview_selector_day @string/fragment_overview_selector_week @@ -65,54 +65,54 @@ Tentang Versi - Terms of use - Type - Weight + Syarat penggunaan + Tipe + Berat Custom measurement category - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. - When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. - When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. - When eating out, order foods that are not breaded or fried. - When eating out ask for sauces, gravy and salad dressings \"on the side.\" - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. - Visiting your doctor once a year and having regular communication throughout the year is important for diabetics to prevent any sudden onset of associated health problems. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + Makan lebih banyak makanan segar, makanan yang belum diproses untuk membantu mengurangi asupan karbohidrat dan gula. + Bacalah label nutrisi pada paket makanan dan minuman untuk mengontrol asupan gula dan karbohidrat. + Ketika makan di luar, mintalah ikan atau daging panggang tanpa tambahan mentega atau minyak. + Ketika makan di luar, tanyakan apakah mereka memiliki hidangan rendah sodium. + Ketika makan di luar, makanlah sesuai porsi yang Anda makan di rumah dan buanglah sisanya. + Ketika makan di luar mintalah makanan rendah kalori seperti salad dressing, bahkan meskipun makanan tersebut tidak ada di menu. + Ketika makan di luar mintalah penggantian. Daripada kentang goreng, pesanlah menu ganda dari sayuran seperti salad, kacang hijau atau brokoli. + Ketika makan di luar, pesanlah makanan yang tidak dilapisi tepung roti atau digoreng. + Ketika makan di luar mintalah untuk saus, kuah daging dan salad dressing \"di samping.\" + Bebas gula tidak benar-benar berarti bebas gula. Itu berarti 0,5 gram (g) gula per porsi, jadi berhati-hatilah untuk tidak menikmati gula terlalu banyak pada makanan bebas gula. + Berubah ke berat badan yang sehat membantu kamu mengontrol gula darah. Dokter, ahli gizi dan pelatih kebugaran dapat membantumu dalam memulai sebuah rencana yang mungkin akan berhasil. + Memeriksa tingkat darah Anda dan melacaknya di aplikasi seperti Glucosio dua kali sehari akan membantumu menyadari hasil dari pilihan makanan dan gaya hidup. + Cobalah tes darah A1c untuk mencari tahu rata-rata gula darahmu dalam 2 sampai 3 bulan terakkhir. Dokter akan memberitahumu seberapa sering tes ini perlu dilakukan. + Melacak seberapa banyak karbohidrat yang kamu konsumsi mungkin sama pentingnya seperti memeriksa level darah karena karbohidrat juga mempengaruhi level glukosa dalam darah. Bicarakan dengan dokter atau ahli diet tentang asupan karbohidratmu. + Penting untuk mengkontrol tekanan darah, kolesterol, dan level trigliserida karena penderita diabetes rentan terhadap penyakit jantung. + Ada beberapa pendekatan diet yang bisa kamu coba untuk makan yang lebih sehat dan membantu meningkatkan hasil diabetesmu. Dapatkan nasihat dari ahli diet tentang apa yang seharusnya kamu lakukan dan berapa yang kamu miliki. + Penting juga untuk mencoba berolah raga secara teratur terutama bagi para penderita diabetes dan membantu memelihara berat badan yang sehat. Bicarakan dengan dokter tentang olah raga yang sekiranya cocok untukmu. + Kekurangan tidur akan membuatmu makan lebih banyak terutama hal-hal seperti makanan cepat saji dan hasilnya akan memperburuk kesehatanmu. Pastikan untuk mendapatkan istirahat yang cukup dan konsultasikan ke spesialis/ahli tidur jika kami mengalami kesulitan. + Stres bisa menimbulkan efek negatif pada diabetes. Bicarakan pada dokter atau tenaga kesehatan profesional lain tentang bagaimana mengelola stres. + Penting untuk mengunjungi dokter setahun sekali dan berkomunikasilah secara berkala selama setahun bagi para penderita diabetes untuk mencegah masalah tiba-tiba yang berhubungan dengan kesehatan. + Konsumsilah obat seperti anjuran dokter karena bahkan kesalahan kecil pada obat akan berpengaruh pada level glukosa darah dan menyebabkan efek samping. Jika memiliki kesulitan dan mengingat, tanyakanlah pada dokter tentang manajemen obat dan opsi untuk mengingatkan. - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + Penderita diabetes yang lebih tua mungkin beresiko lebih tinggi untuk masalah kesehatan yang terkait dengan diabetes. Berkonsultasilah dengan dokter tentang bagaimana usia memiliki peran dalam diabetesmu dan apa yang perlu diperhatikan. + Batasi penggunaan garam yang kamu gunakan untuk memasak dan yang ditambahkan ke makanan setelah dimasak. - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. - Create categories - Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. - Check here often - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. - Add a reading - Be sure to regularly add your glucose readings so we can help you track your glucose levels over time. + Asisten + PERBARUI SEKARANG JUGA + OK, MENGERTI + KIRIM UMPAN BALIK + TAMBAHKAN BACAAN + Perbarui berat kamu + Pastikan untuk memperbarui berat badanmu sehingga Glucosio akan menghasilkan informasi yang paling akurat. + Perbaharui persetujuan penelitian + Kamu bisa kapan saja setuju atau keluar dari persetujuan penelitian diabetes, namun ingat bahwa semua data tersebut dibagikan secara anonim. Kami hanya membagikan demografi dan kecenderungan level glukosa. + Buat kategori + Glucosio dilengkapi kategori baku untuk masukan glukosa namun kamu juga bisa membuat kategori lain di pengaturan untuk menyesuaikan kebutuhan unikmu. + Sering-seringlah memeriksa + Asisten Glucosio memberikan kiat berkala dan akan terus berkembang, jadi pastikan untuk selalu periksa disini untuk aksi bermanfaat yang bisa kamu lakukan demi meningkatkan pengalaman Glucosio dan kiat bermanfaat lainnya. + Kirim umpan balik + Jika kamu menemukan masalah teknik atau umpan balik tentang Glucosio kami mengharapkan kamu untuk mengirimkannya pada menu pengaturan demi membantu kami meningkatkan Glucosio. + Tambahkan bacaan + Pastikan untuk menambahkan bacaan glukosamu secara berkala agar kami dapat membantu melacak level glukosamu. @string/assistant_feedback_title @string/assistant_reading_title @@ -128,9 +128,9 @@ @string/assistant_action_reading @string/assistant_action_try - Preferred range + Kisaran yang diinginkan Custom range - Min value - Max value - TRY IT NOW + Nilai minimal + Nilai maksimal + COBA SEKARANG JUGA diff --git a/app/src/main/res/values-my-rMM/strings.xml b/app/src/main/res/values-my-rMM/strings.xml index e936c342..51354bf0 100644 --- a/app/src/main/res/values-my-rMM/strings.xml +++ b/app/src/main/res/values-my-rMM/strings.xml @@ -54,10 +54,10 @@ UNDO နောက်ဆုံး စစ်ဆေးမှု။ လွန်ခဲ့သော လ အတွက် ဦးတည်ချက်။ - in range and healthy - Month - Day - Week + သတ်မှတ်တန်ဖိုးအတွင်းနှင့် ကျန်းမာသည် + + နေ့ + အပတ် @string/fragment_overview_selector_day @string/fragment_overview_selector_week @@ -80,21 +80,21 @@ ဆိုင်များတွင် စားသောက်သောအခါ ဖုတ်ထားခြင်း၊ ကြော်လှော်ထားခြင်း မဟုတ်သည့် အစားအသောက်များကို မှာယူစားသုံးပါ။ ဆိုင်များတွင် စားသောက်သောအခါ အချဉ်ရည်၊ ဟင်းနှစ်ရည်နှင့် အသုပ်ဆမ်း ဟင်းနှစ်ရည်တို့ကို ဟင်းရံအနေဖြင့် မေးမြန်းမှာယူပါ။ သကြားမပါဝင်ပါ သည် တကယ်သကြားမပါဝင်ဟု မဆိုလိုပါ။ ၄င်းသည် တစ်ပွဲတွင် သကြား 0.5 ဂရမ် ပါဝင်သည်ဟု ဆိုလိုသည်။ ထို့ကြောင့် သကြားမပါဝင်ဟုဆိုသည့် အရာများကို လွန်လွန်ကျူးကျူး မစားသုံးမိရန် သတိပြုစေလိုပါသည်။ - Moving toward a healthy weight helps control blood sugars. Your doctor, a dietitian, and a fitness trainer can get you started on a plan that will work for you. - Checking your blood level and tracking it in an app like Glucosio twice a day will help you be aware of outcomes from food and lifestyle choices. - Get A1c blood tests to find out your average blood sugar for the past 2 to 3 months. Your doctor should tell you how frequently this test will be needed to be performed. - Tracking how many carbohydrates you consume can be just as important as checking blood levels since carbohydrates influence blood glucose levels. Talk to your doctor or a dietician about carbohydrate intake. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. - There are several diet approaches you can take to eating healthier and helping improve your diabetes outcomes. Seek advice from a dietician on what will work best for you and your budget. - Working on getting regular exercise is especially important for those with diabetes and can help you maintain a healthy weight. Talk to your doctor about exercises that will be appropriate for you. - Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + ကျန်းမာကောင်းမွန်သော ကိုယ်အလေးချိန်ရှိခြင်းသည် သွေးထဲရှိ သကြားဓါတ်ကို ထိန်းရာတွင် ကူညီသည်။ သင်သည် သင်နှင့်အဆင်ပြေသည့် ကိုယ်အလေးချိန်ရောက်ရှိရန် ဆရာဝန်၊ အာဟာရပညာရှင်နှင့် ကာယဆရာတို့နှင့် စီစဉ်နိုင်ပါသည်။ + တစ်နေ့နှစ်ကြိမ် သင့်သွေးပမာဏကို စစ်ဆေးခြင်းနှင့် Glucosio ကဲ့သို့ အက်ပ်သုံးပြီး မှတ်သားခြင်းသည် အစားအသောက်နှင့် နေထိုင်မှုပုံစံကြောင့် ရရှိလာသည့် အကျိုးရလဒ်ကို သတိပြုမိစေနိုင်ပါသည်။ + ပြီးခဲ့သည့် ၂လ မှ ၃လအတွက် သင့်သွေးထဲရှိ ပျမ်းမျှသကြားဓါတ်ကို သိရှိရန် A1c သွေးစစ်မှုကို ဆောင်ရွက်ပါ။ သင့်ဆရာဝန်သည် ယခုလိုစစ်ဆေးမှုကို ဘယ်နှစ်ကြိမ်ဆောင်ရွက်ရန် လိုအပ်တယ်ဆိုတာကို ပြောနိုင်ပါသည်။ + ကစီဓါတ်ပမာဏ ဘယ်လောက်ကုန်ဆုံးတယ်ဆိုတာကို မှတ်သားခြင်းသည် သွေးပမာဏ စစ်ဆေးခြင်းကဲ့သို့ အရေးကြီးပါသည်။ ကစီဓါတ်သည် သွေးထဲရှိ ဂလူးကို့စ်ပမာဏကို သက်ရောက်မှုရှိသည်။ ကစီပမာဏနှင့်ပတ်သက်ပြီး သင့်ဆရာဝန် သို့မဟုတ် အာဟာရပညာရှင်နှင့် တိုင်ပင်ပါ။ + သွေးဖိအား၊ ကိုလက်စထရောဓါတ်နှင့် ထရိုင်ဂလစ်ဆဲရိုက်ပမာဏကို ထိန်းခြင်းသည် အရေးကြီးသည်။ အဘယ်ကြောင့်ဆိုသော် ဆီးချိုသည် နှလုံးရောဂါကို ဖြစ်စေနိုင်သည်။ + ကျန်းမာစေသည့် စားသောက်ခြင်းနှင့် ဆီးချိုကျစေခြင်းတို့ကို ဆောင်ရွက်နိုင်သည့် အစားအသောက်ထိန်းခြင်းသည် နည်းလမ်းများစွာ ရှိပါသည်။ အာဟာရပညာရှင်ထံမှ သင့်ရသုံးမှန်းငွေ၊ သင်နှင့် အဆင်ပြေနိုင်မည့် အကြံဉာဏ်များကို ရယူပါ။ + ပုံမှန်လေ့ကျင့်ခန်း ပြုလုပ်ခြင်းသည် ဆီးချိုရောဂါရှိသူများအတွက် အထူးအရေးကြီးပါသည်။ ထို့ပြင် ကိုယ်အလေးချိန်ကို ထိန်းရာတွင်လည်း ကူညီပါသည်။ သင်နှင့် သင့်လျော်မည့် လေ့ကျင့်ခန်းများနှင့် ပတ်သက်ပြီး ဆရာဝန်ကို တိုင်ပင်ပါ။ + အိပ်ရေးပျက်ခြင်းသည် အထူးသဖြင့် သရေစာကဲ့သို့ အစားအသောက်များကို ပိုစားစေပါသည်။ ထို့ပြင် သင့်ကျန်းမာရေးကို ထိခိုက်ဆိုးရွားစေပါသည်။ အိပ်ရေးဝအောင် အိပ်ပါ။ အကယ်၍ အိပ်မပျော်လျှင် ဆရာဝန်တို့နှင့် ဆွေးနွေးပါ။ + စိုးရိမ်ကြောင့်ကျမှု၊ စိတ်ဖိစီးမှုသည် ဆီးချိုရောဂါကို ပိုမိုဆိုးရွားစေပါသည်။ စိတ်ဖိစီးမှု ဖြေလျှာ့ခြင်းနှင့် ပတ်သက်ပြီး သင့်ဆရာဝန် သို့မဟုတ် အခြား ကျန်းမာရေးစောင့်ရှောက်မှုကျွမ်းကျင်များနှင့် ဆွေးနွေးပါ။ သင်၏ဆရာဝန်နှင့် တစ်နှစ်တစ်ကြိမ် ပြသခြင်းနှင့် နှစ်ကုန်တိုင်း ပုံမှန် အဆက်အသွယ် ရှိနေခြင်းက ရုတ်တရက်ဖြစ်မည့် ကျန်းမာရေးပြဿနာများ ဖြစ်ခြင်းမှ ကာဖို့အတွက် အရေးကြီးသည်. သင်၏ဆေးဝါးအတွင်းရှိ သေးငယ်သော ဆေးပမာဏသည်ပင်လျှင် သင်၏သွေး ဂလူးကို့စ် ပမာဏနှင့် အခြားသော ဘေးထွက်ဆိုးကျိုးများဖြစ်နိုင်သောကြောင့် ဆရာဝန်ညွှန်ကြားထားသည့်အတိုင်း ဆေးဝါးများကို သောက်သုံးပါ. မှတ်မိဖို့ ခက်ခဲပါက ဆေးဝါး စီမံခန့်ခွဲခြင်းနှင့် အသိပေးချက် အကြောင်းကို ဆရာဝန် ကို မေးပါ. - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. - Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. + အသက်ကြီးသည့် ဆီးချိုရောဂါရှင်များသည် ဆီးချိုနှင့်ဆက်နွယ်သည့် ရောဂါများ ဝင်ရောက်နိုင်သည်။ အသက်အရွယ်ပေါ် ဆီးချိုရောဂါသက်ရောက်မှုနှင့် စောင့်ကြည့်ရမည့်အရာတို့နှင့် ပတ်သက်ပြီး ဆရာဝန်နှင့် တိုင်ပင်ပါ။ + ဟင်းချက်ရာတွင်နှင့် ဟင်းချက်ပြီးသည့်အခါတွင် ထည့်သည့် ဆားပမာဏကို ကန့်သတ်ပါ။ အကူ အခုပဲ အဆင့်မြှင့်ပါ @@ -102,13 +102,13 @@ အကြံပြုချက် ပေးရန် ပြန်ဆိုချက် ထည့်ရန် သင့် ကိုယ်အလေးချိန်ကို ပြင်ရန် - Make sure to update your weight so Glucosio has the most accurate information. - Update your research opt-in - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + သင့်ကိုယ်အလေးချိန်ကို အမြဲတမ်း မွမ်းမံပြင်ဆင်ပါ။ ထိုအခါ Glucosio တွင် မှန်ကန်တိကျသည့် အချက်အလက်များ ရှိနေမည်ဖြစ်သည်။ + သုတေသနတွင် သင် ပါဝင်နေမှု(opt-in)ကို မွမ်းမံပါ။ + ဆီးချို သုတေသနအချက်အလက် မျှဝေခြင်းတွင် သင်ပါဝင်မှု/မပါဝင်မှု (opt-in သို့မဟုတ် opt-out) ကို အမြဲ ပြောင်းလဲနိုင်သည်။ သို့သော် မျှဝေထားသည့် အချက်အလက်အားလုံးကို လုံးဝ အမျိုးအမည်မဖော်ပြထားပါ။ ကျွန်တော်တို့သည် စာရင်းအင်းဆိုင်ရာ သွင်ပြင်လက္ခဏာများနှင့် ဂလူးကို့စ်ပမာဏ အတက်အကျတို့ကိုသာလျှင် မျှဝေပါသည်။ အတန်းအစား ဖန်တီးရန် ဂလူးကို့စ် အချက်အလက်အတွက် Glucosio က ပုံသေ ကဏ္ဍများဖြင့် ထည့်သွင်းထားပါသည် သို့ရာတွင် သင်၏လိုအပ်ချက်နှင့် ကိုက်ညီရန် စိတ်ကြိုက်ကဏ္ဍများကို အပြင်အဆင်များထဲတွင် ဖန်တီးနိုင်ပါသည်. ဒီနေရာကို မကြာခဏ စစ်ဆေးပါ - Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. + Glucosio လက်ထောက်သည် ပုံမှန်အကြံပြုချက်များကို ပေးပါသည်။ ထို့ပြင် ဆက်လက်တိုးတက်အောင် ဆောင်ရွက်နေပါသည်။ ထို့ကြောင့် သင့်Glucosio သုံးစွဲမှုအတွေ့အကြုံများနှင့် အခြားအသုံးဝင်သည့် အကြံပြုချက်များအတွက် သင်ဆောင်ရွက်နိုင်သည်များကို အဲဒီမှာ အမြဲ လာရောက်ကြည့်ရှုပါ။ အကြံပြုချက် ပေးပို့ရန် နည်းပညာ အခက်အခဲများ သို့မဟုတ် Glucosio နှင့် ပတ်သက်၍ တုံ့ပြန်လိုပါက Glucosio ကို ပိုမိုကောင်းမွန်ဖို့ ကူညီရန် အပြင်အဆင် စာရင်းတွင် ကျွန်ုပ်တို့ကို ပေးပို့ပါ. ပြန်ဆိုချက် တစ်ခု ထည့်ပါ @@ -128,9 +128,9 @@ @string/assistant_action_reading @string/assistant_action_try - Preferred range - Custom range + အသုံးပြုလိုသော တန်ဖိုး(မှ - ထိ) + စိတ်ကြိုက် တန်ဖိုး (မှ - ထိ) အနည်းဆုံး တန်ဖိုး အများဆုံး တန်ဖိုး - TRY IT NOW + အခုပဲ သုံးကြည့်လိုက်ပါ diff --git a/app/src/main/res/values-pam-rPH/strings.xml b/app/src/main/res/values-pam-rPH/strings.xml index eaf5f29a..61c85a8a 100644 --- a/app/src/main/res/values-pam-rPH/strings.xml +++ b/app/src/main/res/values-pam-rPH/strings.xml @@ -55,9 +55,9 @@ Huling pagsusuri: Trend sa nakalipas na buwan: nasa tamang sukat at ikaw ay malusog - Month - Day - Week + Buwan + Araw + Linggo @string/fragment_overview_selector_day @string/fragment_overview_selector_week @@ -67,7 +67,7 @@ Bersyon Terms of use Uri - Weight + Timbang Custom na kategorya para sa mga sukat Kumain ng mga sariwa at hindi processed na mga pagkain para makaiwas sa carbohydrate at asukal. @@ -128,9 +128,9 @@ @string/assistant_action_reading @string/assistant_action_try - Preferred range - Custom range + Nais na saklaw + Custom na saklaw Min value Max value - TRY IT NOW + SUBUKAN NGAYON diff --git a/app/src/main/res/values-sw-rKE/strings.xml b/app/src/main/res/values-sw-rKE/strings.xml index 9cb0941c..40519ed3 100644 --- a/app/src/main/res/values-sw-rKE/strings.xml +++ b/app/src/main/res/values-sw-rKE/strings.xml @@ -55,9 +55,9 @@ Kuangalia ya mwisho: Mwenendo zaidi ya mwezi uliopita: katika mbalimbali na afya njema - Month - Day - Week + Mwezi + Siku + Wiki @string/fragment_overview_selector_day @string/fragment_overview_selector_week @@ -67,14 +67,14 @@ Toleo Masharti ya matumizi Aina - Weight + Uzito Kategoria ya kipimo maalum Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. - Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. - When eating out, ask for fish or meat broiled with no extra butter or oil. - When eating out, ask if they have low sodium dishes. - When eating out, eat the same portion sizes you would at home and take the leftovers to go. + Soma lebo za lishe zilizo katika vyakula na vinywaji vilivyo wekwa katika pakiti ili kudhibiti ulaji wa sukari na kabohaidreti. + Wakati unapokula nje, itisha samaki au nyama iliyookwa bila kuongeza siagi au mafuta. + Wakati unapokula nje, uliza kama wanaandaa vyakula vilivyo na kiasi kidogo cha sodiamu. + Unapokula nje, kula kiasi sawia na kiasi ambacho ungekula nyumbani kisha ubebe kitakacho baki. When eating out ask for low-calorie items, such as salad dressings, even if they\'re not on the menu. When eating out ask for substitutions. Instead of French fries, request a double order of a vegetable like salad, green beans or broccoli. When eating out, order foods that are not breaded or fried. diff --git a/app/src/main/res/values-sw-rTZ/strings.xml b/app/src/main/res/values-sw-rTZ/strings.xml index b10c433e..562ec1f0 100644 --- a/app/src/main/res/values-sw-rTZ/strings.xml +++ b/app/src/main/res/values-sw-rTZ/strings.xml @@ -55,9 +55,9 @@ Kupima mara ya mwisho: Mwenendo katika mwezi uliyopita: ipo kwenye kiwango sahihi na afya njema - Month - Day - Week + Mwezi + Siku + Wiki @string/fragment_overview_selector_day @string/fragment_overview_selector_week @@ -84,16 +84,16 @@ Kuangalia na kufuatilia kiwango chako cha damu mara mbili kwa siku kwa kutumia app kama Glucosio kitakusaidia kutambua matokeo kutoka kwenye chakula na uchaguzi wa mwenendo wa maisha. Pata kipimo cha damu cha A1c kujua wastani wa sukari iliyo mwilini kwa miezi miwili hadi mitatu iliyopita. Daktari wako atakwambia kipimo hiki kitahitajika kuchukuliwa mara ngapi. Kufuatilia kiwango cha kabohaidreti unachokula ni muhimu kama unavyoangalia kiwango cha sukari kwenye damu kwani kabohaidreti ndiyo inayo athiri kiwango cha sukari kwenye damu. Ongea kuhusu ulaji wa kabohaidreti na daktari wako au mwanalishe wako. - Controlling blood pressure, cholesterol, and triglyceride levels is important since diabetics are susceptible to heart disease. + Kudhibiti shinikizo la damu, cholesterol na viwango tofauti vya triglyceride ni muhimu kwa sababu wagonjwa wa kisukari wana uwezekano mkubwa wa kuathiriwa na ugonjwa wa moyo. Kuna njia nyingi za kufanya diet unaweza kula kwa afya zaidi na itakusaidia kuboresha matokeo yako ya ugonjwa huu wa kisukari. Omba ushauri kutoka kwa mwanalishe ya kwamba ni mlo gani utakufaa zaidi na bajeti yako. Kufanya mazoezi mara nyingi ni muhimu kwa wale wenye ugonjwa wa kisukari na itakusaidia kudumisha uzito sahihi kiafya. Zungumza na daktari wako kuhusu mazoezi gani yatakayokufaa wewe. Being sleep-deprived can make you eat more especially things like junk food and as a result can negatively impact your health. Be sure to get a good night sleep and consult a sleep specialist if you are having difficulty. - Stress can have a negative impact on diabetes. Talk to your doctor or other health care professional about coping with stress. + Msongamano wa mawazo unaweza kuwa na athari hasi kwa ugonjwa wa kisukari. Zungumza na daktari wako au mtaalam wa maswala ya afya kuhusu ni jinsi gani unaweza kukabiliana na msongamano wa mawazo. Mtembelee daktari wako mara moja kwa mwaka na kuwasiliana naye mara kwa mara katika mwaka mzima ni muhimu kwa watu wenye ungonjwa wa kisukari ili kuzuia dharura za mara kwa mara zinazohusiana na matatizo ya afya. - Take your medicine as prescribed by your doctor even small lapses in your medicine can impact your blood glucose level and cause other side effects. If having difficulty remembering ask your doctor about medication management and reminder options. + Meza dawa zako kama ulivyoandikiwa na daktari wako kosa dogo katika kumeza dawa zako kunaweza kuathiri kiwango chako cha sukari kwenye damu na hata pia kusababisha madhara mengine. Kama una shida kumbuka unaweza kumuuliza daktari wako kuhusu usimamizi wa kumeza dawa na swala la kumbusho. - Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. + Mgonjwa mtu mzima wa kisukari yupo katika hatari kubwa zinazohusiana na ugonjwa wa kisukari. Zungumza na daktari wako ni jinsi gani umri una uhusiano mkubwa na ugonjwa wa kisukari na ni kitu gani unachofaa kuwa muangalifu nacho zaidi. Weka kikomo kwa kiasi cha chumvi unachotumia ukipika na pia kiasi cha chumvi unachoweka kwenye chakula ambacho kimeshapikwa. Msaidizi @@ -104,13 +104,13 @@ Hifadhi uzito wapi Hakikisha unahifadhi uzito wako ili Glucosio iwe na taarifa sahihi zaidi. Hifadhi utafiti wako -muhimu - You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. + Unaweza kujitoa au kujiunga na kuhadithia kuhusu utafiti wa ugonjwa wa kisukari ila kumbuka data zote unazohadithia hazitajulikana zimetoka kwa nani. Tutawaonyesha au kuwahadithia kuhusu demografia na mwenendo wa kiwango cha glukosi. Tengeneza makundi Glucosio yaja na makundi yaliyoundwa tayari kwa ajili ya kuingiza kiwango cha glukosi ila unaweza pia kutengeneza makundi maalum kwneye mpangilio ili kuendana na upekee wa mahitaji yako. Angalia hapa mara nyingi Wasaidizi wa Glucosio hutoa vidokezo vya mara kwa mara ambavyo vitaendelea kuboreshwa, kwa hivyo angalia hapa mara kwa mara ilikuchua nini cha kufanya ili kuboresha uzoefu wako wa Glucosio na kwa kupata vidokezo vingine muhimu. Wasilisha mrejesho - If you find any technical issues or have feedback about Glucosio we encourage you to submit it in the settings menu in order to help us improve Glucosio. + Kama una tatizo lolote la kiufundi au mrejesho wowote kuhusu Glucosio tunakutia moyo uyawasilishe kwenye menyu ya mpangilio ili tuweze kuboresha Glucosio. Ongeza kipimo Hakikisha kwamba una ongeza idadi ya kipimo cha glukosi kilichopo mwilini kila wakati ili tukusaidie kufautilia viwango vyako vya glukosi muda kwa muda. @@ -132,5 +132,5 @@ Kiwango maalum Thamani ya chini Thamani ya juu - TRY IT NOW + JARIBU SASA diff --git a/app/src/main/res/values-ta-rIN/strings.xml b/app/src/main/res/values-ta-rIN/strings.xml index db5a3961..45735b57 100644 --- a/app/src/main/res/values-ta-rIN/strings.xml +++ b/app/src/main/res/values-ta-rIN/strings.xml @@ -4,15 +4,15 @@ Glucosio அமைவுகள் பின்னூட்டங்களை அனுப்பு - Overview + மீள்பார்வை வரலாறு குறிப்புகள் வணக்கம். வணக்கம். பயன்பாட்டு முறைமை. - I\'ve read and accept the Terms of Use + பயன்பாட்டு விதிமுறைகளை படித்தேன், அவற்றை ஏற்கிறேன் The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. - We just need a few quick things before getting you started. + நீங்கள் துவங்குவதற்கு முன் விரைவாக ஒருசில தகவல் மட்டும் தேவை. நாடு வயது சரியான வயதை உள்ளிடவும். @@ -20,10 +20,10 @@ ஆண் பெண் மற்ற - Diabetes type + டயபிடிஸ் வகை வகை 1 வகை 2 - Preferred unit + விருப்பமான அலகு Share anonymous data for research. You can change these in settings later. அடுத்து @@ -55,20 +55,20 @@ Last check: Trend over past month: in range and healthy - Month - Day - Week + மாதம் + நாள் + வாரம் @string/fragment_overview_selector_day @string/fragment_overview_selector_week @string/fragment_overview_selector_month - About - Version - Terms of use - Type - Weight - Custom measurement category + செயலி பற்றி + பதிப்பு + பயன்பாட்டு விதிமுறைகள் + வகை + எடை + விருப்ப அளவீடு வகை Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. diff --git a/app/src/main/res/values-uk-rUA/strings.xml b/app/src/main/res/values-uk-rUA/strings.xml index 5389089a..a89603c1 100644 --- a/app/src/main/res/values-uk-rUA/strings.xml +++ b/app/src/main/res/values-uk-rUA/strings.xml @@ -11,7 +11,7 @@ Привіт. Умови використання. Я прочитав та приймаю умови використання - The contents of the Glucosio website and apps, such as text, graphics, images, and other material (“Content”) are for informational purposes only. The content is not intended to be a substitute for professional medical advice, diagnosis, or treatment. We encourage Glucosio users to always seek the advice of your physician or other qualified health provider with any questions you may have regarding a medical condition. Never disregard professional medical advice or delay in seeking it because of something you have read on the Glucosio website or in our apps. The Glucosio Website, Blog, Wiki and other web browser accessible content (“Website”) should be used only for the purpose described above.\n Reliance on any information provided by Glucosio, Glucosio team members, volunteers and others appearing on the Website or in our apps is solely at your own risk. The Site and the Content are provided on an “as is” basis. + Зміст веб-сайту Glucosio і додатків, такий як текст, графіка, зображення та інші матеріали (\"зміст\") подається тільки в інформаційних цілях. Зміст не призначено бути заміною для професійних медичних допомоги, діагностики або лікування. Ми закликаємо користувачів Glucosio завжди радитися з лікарем або іншим кваліфікованим професіоналом охорони здоров\'я з будь-які питань що виникли у вас щодо медичного стану. Ніколи не нехтуйте професійной медичной консультацієй і не затримуйте звернення до лікаря, завдяки прочитаному на сайті Glucosio або в наших додатках. Веб-сайт Glucosio, блог, вікі та інший вміст доступний через веб-браузер (\"сайт\") повинен використовуватися тільки для досягнення мети, викладеної вище.\n Покладатися на будь-яку інформацію, надану Glucosio, членами команди Glucosio, волонтерами та іншіми що з\'являється на веб-сайті або в наших додатках можливо виключно на свій страх і ризик. Сайт і контент надаються \"як є\". We just need a few quick things before getting you started. Країна Вік @@ -29,11 +29,11 @@ НАСТУПНИЙ РОЗПОЧНЕМО No info available yet. \n Add your first reading here. - Add Blood Glucose Level - Concentration + Додати рівень глюкози в крові + Концентрація Дата Час - Measured + Виміряно Перед сніданком Після сніданку Перед обідом @@ -50,27 +50,27 @@ Будь ласка, заповніть всі поля. Вилучити Редагувати - 1 reading deleted + 1 читання видалено СКАСУВАТИ - Last check: - Trend over past month: + Остання перевірка: + Тенденція за минулий місяць: in range and healthy - Month - Day - Week + Місяць + День + Тиждень @string/fragment_overview_selector_day @string/fragment_overview_selector_week @string/fragment_overview_selector_month - About - Version - Terms of use - Type - Weight + Про додаток + Версія + Умови використання + Тип + Вага Custom measurement category - Eat more fresh, unprocessed foods to help reduce carbohydrate and sugar intake. + Їжте більше свіжих, необроблених продуктів, аби зменшити споживання вуглеводів і цукру. Read the nutritional label on packaged foods and beverages to control sugar and carbohydrate intake. When eating out, ask for fish or meat broiled with no extra butter or oil. When eating out, ask if they have low sodium dishes. @@ -96,20 +96,20 @@ Older diabetics may be at higher risk for health issues associated with diabetes. Talk to your doctor about how your age plays a role in your diabetes and what to watch for. Limit the amount of salt you use to cook food and that you add to meals after it has been cooked. - Assistant - UPDATE NOW - OK, GOT IT - SUBMIT FEEDBACK - ADD READING - Update your weight - Make sure to update your weight so Glucosio has the most accurate information. + Асистент + ОНОВИТИ ЗАРАЗ + ГАРАЗД, ЗРОЗУМІЛО + НАДІСЛАТИ ВІДГУК + ДОДАТИ ЧИТАННЯ + Оновити свою вагу + Не забудьте оновити свою вагу, аби Glucosio мав найточнішу інформацію. Update your research opt-in You can always opt-in or opt-out of diabetes research sharing, but remember all data shared is entirely anonymous. We only share demographics and glucose level trends. Create categories Glucosio comes with default categories for glucose input but you can create custom categories in settings to match your unique needs. Check here often Glucosio assistant provides regular tips and will keep improving, so always check here for useful actions you can take to improve your Glucosio experience and for other useful tips. - Submit feedback + Відправити відгук Якщо ви знайшли будь-які технічні недоліки або хочете написати відгук про Glucosio то ви можете зробити це в меню \"Параметри\", що допоможе нам покращити Glucosio. Add a reading Переконайтеся, що ви регулярно подаєте ваші показники глюкози, щоб ми могли допомогти вам відстежувати ваш рівень глюкози з часом. @@ -128,9 +128,9 @@ @string/assistant_action_reading @string/assistant_action_try - Preferred range + Бажаний діапазон Custom range Min value Max value - TRY IT NOW + СПРОБУЙТЕ ЗАРАЗ diff --git a/app/src/main/res/values-zh-rTW/strings.xml b/app/src/main/res/values-zh-rTW/strings.xml index 7e280ed2..e1b6de8f 100644 --- a/app/src/main/res/values-zh-rTW/strings.xml +++ b/app/src/main/res/values-zh-rTW/strings.xml @@ -5,11 +5,11 @@ 設定 傳送意見回饋 概觀 - History + 紀錄 秘訣 - Hello. - Hello. - Terms of Use + 您好! + 您好! + 使用條款 我已閱讀並接受使用條款。 Glucosio 網站與應用程式當中的內容,包含文字、圖片、圖形及其他內容(簡稱「內容」)僅作為資訊提供。這些內容並非為了要取代專業醫療建議、診斷或治療。我們建議 Glucosio 使用者若遇到任何醫療相關問題時,諮詢醫生或其他相關專業人士。請務必不要因為在 Glucosio 網站或應用程式當中閱讀的任何資訊而忽略任何資料建議或延誤就醫。Glucosio 網站、部落格、維基與其他網頁瀏覽器可存取的內容(簡稱「網站」)應僅供上述目的使用。\n由 Glucosio、Glucosio 團隊成員、志工或其他人提供於網站或應用程式的可靠度應由使用者自行判斷。網站與內容均僅依照「現況」提供。 在開始使用前要先向您詢問幾個小問題。 @@ -27,7 +27,7 @@ 匿名地分享資料提供研究。 您以後可以更改這些設定。 下一步 - GET STARTED + 開始使用 還沒有資訊。\n在此新增您的第一筆血糖紀錄。 新增血糖值 濃度 @@ -79,7 +79,7 @@ 在外用餐時,詢問是否有不同餐點選擇,例如把薯條換成兩份蔬菜沙拉、青豆、花椰菜等。 在外用餐時,避免吃裹粉或油炸的食物。 在外用餐時,詢問是否可將醬汁、滷汁、沙拉醬等放到一邊或分開上餐。 - Sugar free doesn’t really mean sugar free. It means 0.5 grams (g) of sugar per serving, so be careful to not indulge in too many sugar free items. + 「無糖」不真的是無糖,每份標準份量當中還是會有 0.5 公克的蔗糖。所以還是請小心,別吃進太多「無糖」餐點。 控制在健康的體重對於控制血糖有很大的幫助。您的醫師、營養師、健身教練都能夠幫助您開始規劃最適合您的減重方式。 每天測量血糖值兩次,並且記錄在 Glucosio 這類應用程式,可幫助您控制飲食與生活習慣。 測量 A1c 糖化血色素可找出您過去 2~3 個月的平均血糖值。您的醫生應該會告訴您多久要測量一次。 From ce5b512cb88fa17ef11110f0af819a1075459cee Mon Sep 17 00:00:00 2001 From: Paolo Rotolo Date: Mon, 12 Oct 2015 17:33:55 +0200 Subject: [PATCH 125/126] Fix Gitty. --- .../main/java/org/glucosio/android/activity/GittyActivity.java | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/app/src/main/java/org/glucosio/android/activity/GittyActivity.java b/app/src/main/java/org/glucosio/android/activity/GittyActivity.java index c5a2b7c1..bca57c26 100644 --- a/app/src/main/java/org/glucosio/android/activity/GittyActivity.java +++ b/app/src/main/java/org/glucosio/android/activity/GittyActivity.java @@ -19,7 +19,7 @@ public class GittyActivity extends GittyReporter { @Override public void init(Bundle savedInstanceState) { - String token = "OGRlZDVkZjBjZGYzNzNjYTdiNzY2MmYwMGVmMTU5ZjcyMjYwMWQ1NA=="; + String token = "NTZhYmQ5NjQ5MTU5ZmU5ZjI3ZDU2MmE2OTM0OWU0MGRhMDRmMGVhMg=="; byte[] data1 = Base64.decode(token, Base64.DEFAULT); String decodedToken = token; From 801583c4e1ac09ebdf259c4d66d621f40030d8f6 Mon Sep 17 00:00:00 2001 From: Paolo Rotolo Date: Mon, 12 Oct 2015 17:36:25 +0200 Subject: [PATCH 126/126] Remove debug toast from Overview. --- .../java/org/glucosio/android/fragment/OverviewFragment.java | 2 -- 1 file changed, 2 deletions(-) diff --git a/app/src/main/java/org/glucosio/android/fragment/OverviewFragment.java b/app/src/main/java/org/glucosio/android/fragment/OverviewFragment.java index 00f7490d..771fb370 100644 --- a/app/src/main/java/org/glucosio/android/fragment/OverviewFragment.java +++ b/app/src/main/java/org/glucosio/android/fragment/OverviewFragment.java @@ -216,8 +216,6 @@ private void setData() { } } else { // Month view - Toast.makeText(getActivity().getApplicationContext(), presenter.getReadingsMonth().size() +"",Toast.LENGTH_SHORT).show(); - for (int i = 0; i < presenter.getReadingsMonth().size(); i++) { if (presenter.getUnitMeasuerement().equals("mg/dL")) { float val = Float.parseFloat(presenter.getReadingsMonth().get(i)+"");